In this project, you'll generate your own Simpsons TV scripts using RNNs. You'll be using part of the Simpsons dataset of scripts from 27 seasons. The Neural Network you'll build will generate a new TV script for a scene at Moe's Tavern.
The data is already provided for you. You'll be using a subset of the original dataset. It consists of only the scenes in Moe's Tavern. This doesn't include other versions of the tavern, like "Moe's Cavern", "Flaming Moe's", "Uncle Moe's Family Feed-Bag", etc..
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import helper
data_dir = './data/simpsons/moes_tavern_lines.txt'
text = helper.load_data(data_dir)
# Ignore notice, since we don't use it for analysing the data
text = text[81:]
Play around with view_sentence_range to view different parts of the data.
view_sentence_range = (0, 10)
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import numpy as np
print('Dataset Stats')
print('Roughly the number of unique words: {}'.format(len({word: None for word in text.split()})))
scenes = text.split('\n\n')
print('Number of scenes: {}'.format(len(scenes)))
sentence_count_scene = [scene.count('\n') for scene in scenes]
print('Average number of sentences in each scene: {}'.format(np.average(sentence_count_scene)))
sentences = [sentence for scene in scenes for sentence in scene.split('\n')]
print('Number of lines: {}'.format(len(sentences)))
word_count_sentence = [len(sentence.split()) for sentence in sentences]
print('Average number of words in each line: {}'.format(np.average(word_count_sentence)))
print()
print('The sentences {} to {}:'.format(*view_sentence_range))
print('\n'.join(text.split('\n')[view_sentence_range[0]:view_sentence_range[1]]))
Dataset Stats Roughly the number of unique words: 11492 Number of scenes: 262 Average number of sentences in each scene: 15.248091603053435 Number of lines: 4257 Average number of words in each line: 11.50434578341555 The sentences 0 to 10: Moe_Szyslak: (INTO PHONE) Moe's Tavern. Where the elite meet to drink. Bart_Simpson: Eh, yeah, hello, is Mike there? Last name, Rotch. Moe_Szyslak: (INTO PHONE) Hold on, I'll check. (TO BARFLIES) Mike Rotch. Mike Rotch. Hey, has anybody seen Mike Rotch, lately? Moe_Szyslak: (INTO PHONE) Listen you little puke. One of these days I'm gonna catch you, and I'm gonna carve my name on your back with an ice pick. Moe_Szyslak: What's the matter Homer? You're not your normal effervescent self. Homer_Simpson: I got my problems, Moe. Give me another one. Moe_Szyslak: Homer, hey, you should not drink to forget your problems. Barney_Gumble: Yeah, you should only drink to enhance your social skills.
The first thing to do to any dataset is preprocessing. Implement the following preprocessing functions below:
To create a word embedding, you first need to transform the words to ids. In this function, create two dictionaries:
vocab_to_intint_to_vocabReturn these dictionaries in the following tuple (vocab_to_int, int_to_vocab)
import numpy as np
import problem_unittests as tests
from collections import Counter
def create_lookup_tables(text):
"""
Create lookup tables for vocabulary
:param text: The text of tv scripts split into words
:return: A tuple of dicts (vocab_to_int, int_to_vocab)
"""
counter = Counter(text)
sorted_vocab = sorted(counter, key=counter.get, reverse=True)
#vocab_to_int =
#int_to_vocab = {}
#vocab = set(text)
vocab_to_int = {w: i for i, w in enumerate(sorted_vocab)}
int_to_vocab = {i: w for w, i in vocab_to_int.items()}
#vocab_to_int = {word: i for word, i in enumerate(vocab)}
#int_to_vocab = {i: word for word, i in enumerate(vocab)}
print ("******")
print (vocab_to_int)
print ("******")
print (int_to_vocab)
return (vocab_to_int, int_to_vocab)
#return None, None
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_create_lookup_tables(create_lookup_tables)
******
{'of': 20, 'hello': 22, 'lately': 23, 'elite': 24, 'on': 7, 'seen': 25, 'another': 26, 'has': 27, 'last': 28, 'not': 8, 'meet': 29, 'bart_simpson': 30, "you're": 31, 'tavern': 32, 'there': 33, 'self': 35, 'matter': 36, 'name': 9, 'carve': 37, 'you': 3, 'to': 5, 'homer': 10, 'back': 39, 'days': 40, 'moe': 41, 'pick': 42, 'check': 43, 'should': 11, 'is': 44, "i'll": 45, 'anybody': 46, 'these': 47, 'your': 1, 'ice': 64, 'eh': 53, 'normal': 48, 'drink': 6, 'problems': 12, "i'm": 13, 'with': 49, 'hey': 14, 'i': 50, 'effervescent': 51, 'where': 52, 'got': 34, 'barney_gumble': 54, 'only': 55, 'and': 57, 'moe_szyslak': 0, 'mike': 2, 'skills': 58, 'the': 15, "moe's": 59, 'forget': 60, 'give': 61, 'social': 62, 'listen': 63, 'my': 16, 'yeah': 17, 'enhance': 56, 'whats': 65, 'hold': 38, 'me': 66, 'homer_simpson': 67, 'an': 68, 'little': 69, 'gonna': 18, 'rotch': 4, 'catch': 70, 'one': 19, 'puke': 21}
******
{0: 'moe_szyslak', 1: 'your', 2: 'mike', 3: 'you', 4: 'rotch', 5: 'to', 6: 'drink', 7: 'on', 8: 'not', 9: 'name', 10: 'homer', 11: 'should', 12: 'problems', 13: "i'm", 14: 'hey', 15: 'the', 16: 'my', 17: 'yeah', 18: 'gonna', 19: 'one', 20: 'of', 21: 'puke', 22: 'hello', 23: 'lately', 24: 'elite', 25: 'seen', 26: 'another', 27: 'has', 28: 'last', 29: 'meet', 30: 'bart_simpson', 31: "you're", 32: 'tavern', 33: 'there', 34: 'got', 35: 'self', 36: 'matter', 37: 'carve', 38: 'hold', 39: 'back', 40: 'days', 41: 'moe', 42: 'pick', 43: 'check', 44: 'is', 45: "i'll", 46: 'anybody', 47: 'these', 48: 'normal', 49: 'with', 50: 'i', 51: 'effervescent', 52: 'where', 53: 'eh', 54: 'barney_gumble', 55: 'only', 56: 'enhance', 57: 'and', 58: 'skills', 59: "moe's", 60: 'forget', 61: 'give', 62: 'social', 63: 'listen', 64: 'ice', 65: 'whats', 66: 'me', 67: 'homer_simpson', 68: 'an', 69: 'little', 70: 'catch'}
Tests Passed
We'll be splitting the script into a word array using spaces as delimiters. However, punctuations like periods and exclamation marks make it hard for the neural network to distinguish between the word "bye" and "bye!".
Implement the function token_lookup to return a dict that will be used to tokenize symbols like "!" into "||Exclamation_Mark||". Create a dictionary for the following symbols where the symbol is the key and value is the token:
This dictionary will be used to token the symbols and add the delimiter (space) around it. This separates the symbols as it's own word, making it easier for the neural network to predict on the next word. Make sure you don't use a token that could be confused as a word. Instead of using the token "dash", try using something like "||dash||".
def token_lookup():
"""
Generate a dict to turn punctuation into a token.
:return: Tokenize dictionary where the key is the punctuation and the value is the token
"""
# TODO: Implement Function
symbol_dict = {".":"||Period||", ",":"||Comma||", ";":"Semicolon", "!":"||Exclamation_Mark||",
"?": "Question_Mark", "(": "||Left_Parentheses||", ")": "||Right_Parentheses||",
"--":"||Dash||", "\n":"||Return||","\"":"||Quotation_Mark||"}#, ":":"||colon||"}
return symbol_dict
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_tokenize(token_lookup)
Tests Passed
Running the code cell below will preprocess all the data and save it to file.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
# Preprocess Training, Validation, and Testing Data
helper.preprocess_and_save_data(data_dir, token_lookup, create_lookup_tables)
******
{'wife': 241, "england's": 2896, 'motel': 1441, 'speaking': 961, 'irishman': 2910, 'dennis': 2898, 'unintelligent': 2899, 'sniffles': 1819, 'startup': 2901, 'career': 1170, 'headhunters': 2902, "we've": 360, 'har': 1440, 'beating': 2555, 'disco_stu:': 2904, 'cent': 1901, 'karaoke': 1900, 'back': 72, 'enforced': 6713, 'tonic': 5722, 'vance': 1171, 'chin': 2906, 'superior': 1902, 'shriners': 2907, 'blame': 549, 'mayor': 1117, 'record': 1903, 'hanh': 2909, 'vampire': 6322, "team's": 1904, 'diets': 4072, 'tight': 2911, 'vulnerable': 1905, 'giggle': 4844, 'aw': 203, 'key': 2913, 'label': 1442, 'rich': 1172, 'obese': 2914, 'stalking': 2915, 'radical': 2916, "phone's": 2917, 'parasol': 2918, 'abandon': 1985, 'rock': 1936, 'slit': 2921, 'insulted': 1906, 'hanging': 962, 'nickel': 2922, 'hoping': 1173, 'gruff': 2923, 'fingers': 963, 'safecracker': 2924, 'dae': 2925, 'plaintive': 2926, 'fella': 2927, 'mm-hmm': 2928, 'stinky': 2930, 'lives': 841, 'excuses': 2931, 'punch': 964, "don'tcha": 2932, 'snout': 2933, 'brawled': 2934, 'health': 842, 'calls': 1174, 'triumphantly': 2935, 'presses': 2936, 'long': 316, 'experiments': 2937, "that'll": 863, 'neanderthal': 2939, 'names': 965, 'smiling': 1391, 'fifty': 689, 'to': 13, 'first': 226, 'throws': 2942, 'appear': 1907, 'salary': 2943, 'hearing': 3160, 'old_jewish_man:': 2944, 'corporate': 1908, 'potato': 1909, 'blues': 1910, 'icy': 2945, 'turkey': 1443, 'slobs': 2946, 'rims': 2947, 'yesterday': 1175, 'funny': 442, "they'll": 1444, 'starts': 1176, 'dislike': 2949, 'thoughtfully': 1911, 'dr': 255, 'brightening': 1912, 'don': 1913, 'doof': 2950, 'developed': 2951, 'fainted': 2952, 'computer': 1177, 'whirlybird': 4847, 'palmerston': 1445, 'brooklyn': 2953, 'closes': 1915, "mopin'": 2954, 'contemplates': 2955, 'grow': 1886, 'gator': 2956, 'written': 1917, 'du': 2957, 'cockroaches': 2958, 'y-you': 2959, "department's": 2960, 'barney-type': 2961, 'reminded': 2962, 'spend': 557, 'naval': 5660, 'yap': 1288, 'rutabaga': 2966, 'slays': 2967, "homer's": 332, 'entering': 2968, 'start': 550, 'prohibit': 1918, 'available': 1999, 'oh-ho': 2970, 'shocked': 604, 'koi': 1919, 'shipment': 2971, 'virile': 2972, 'alfred': 1920, 'carl': 289, 'halvsies': 4850, 'indignant': 1539, 'byrne': 2975, 'sleeps': 2053, 'hotel': 2977, 'polygon': 2978, 'belly': 1446, 'pitch': 2396, 'taking': 671, 'thorough': 6744, "liberty's": 2981, 'worth': 1922, 'loafers': 2982, 'recommend': 1447, "bashir's": 2983, 'hemoglobin': 6195, 'beginning': 1448, 'belch': 843, 'flynt': 2984, 'irish': 1923, 'roz:': 1924, 'woooooo': 2986, 'gargoyles': 6123, 'singers:': 1449, 'fever': 1830, 'sight': 2988, 'contract': 2989, 'nicer': 2990, 'boozehound': 2991, 'plums': 6440, 'rotten': 2992, 'sweetest': 2993, 'paparazzo': 2994, 'tavern': 333, 'bon-bons': 6115, 'bono': 2995, 'stares': 2997, 'singing': 246, 'experience': 2998, 'mommy': 2999, 'brockman': 967, "people's": 3000, 'genius': 1927, 'mouse': 968, 'kicked': 1928, 'for': 25, 'oopsie': 3001, 'high-definition': 3003, 'murmur': 1929, 'feelings': 1450, 'hates': 1451, "school's": 5489, 'classy': 6124, 'ball-sized': 1930, 'self-satisfied': 3005, 'i': 6, 'donut': 3006, 'p-k': 3007, 'rusty': 3008, 'moxie': 3009, "brockman's": 3010, 'grey': 3011, 'they': 79, 'original': 1178, 'my': 16, 'mudflap': 1452, 'loud': 367, 'memories': 1931, 'lenny': 174, 'weapon': 3014, 'shesh': 4153, 'flames': 3015, 'uncomfortable': 1453, 'done': 361, 'file': 3016, 'ripper': 3017, 'wind': 5886, 'premiering': 3018, 'crinkly': 3647, 'many': 366, 'including': 3020, 'pantry': 3021, "someone's": 1932, 'wazoo': 4861, 'eighty-five': 3023, 'campaign': 1832, 'mmmmm': 3673, 'graves': 6129, 'hunky': 3025, 'hoped': 3026, 'encouraged': 3027, 'someday': 1933, 'aww': 1454, 'eurotrash': 3028, 'macaulay': 3029, 'penny': 2628, 'tv_daughter:': 3030, 'yelling': 1935, 'layer': 3031, 'sass': 6637, 'brag': 3032, 'play': 247, 'script': 4864, 'wasted': 3033, 'unrelated': 6133, 'arm': 665, 'unless': 970, 'workers': 1456, 'profiling': 3541, 'bet': 844, 'juan': 3036, 'bono:': 3037, 'hmf': 3038, 'naively': 3039, 'square': 2103, 'week': 845, 'meeting': 1179, 'sink': 2920, 'steamed': 3040, 'skinny': 3041, 'adeleine': 1180, 'getting': 362, 'exasperated': 971, 'duffman': 666, 'chauffeur': 4867, 'semi-imported': 3044, 'initially': 6092, 'snow': 2559, 'hands': 471, 'mystery': 3046, 'dan_gillick:': 1181, 'team': 1457, 'forced': 3047, 'boys': 667, 'pointing': 1458, 'huhza': 3048, 'duffman:': 363, 'omigod': 846, 'flanders': 847, 'quero': 3050, 'husband': 1182, 'bolting': 3051, 'wheel': 1031, 'anti-lock': 5176, 'far': 606, 'quebec': 3054, 'yup': 1938, 'complicated': 3055, 'father': 1183, 'shorter': 4004, 'anarchy': 2142, 'pretending': 1939, 'plans': 1940, 'nucular': 3058, 'generosity': 3059, 'safety': 3060, 'grammys': 3061, 'away': 317, 'fondest': 3062, 'booth': 3063, 'aidens': 3064, 'sidelines': 3065, 'tropical': 5900, 'madison': 3066, 'scam': 1615, 'duel': 1941, 'joint': 972, "they'd": 1461, "handwriting's": 3068, 'wondered': 6307, 'yogurt': 1942, 'clothes': 1184, 'cowboy': 3070, 'gig': 3071, 'jackpot-thief': 3072, 'front': 607, 'sweaty': 3073, 'sing': 551, 'detective_homer_simpson:': 973, 'stirring': 1185, 'bleacher': 5505, 'olive': 3074, 'kahlua': 3075, 'lousy': 608, 'sidekick': 6139, 'compressions': 5508, 'be': 43, 'writers': 1943, 'grabbing': 1883, 'repairman': 3076, 'ew': 3077, 'man_with_tree_hat:': 3078, 'soaked': 3079, 'system': 1462, 'shop': 3080, 'disgraceful': 4874, 'further': 3083, 'plants': 5720, 'dress': 1944, 'super-nice': 3084, 'ninety-six': 3085, 'dame': 974, 'arrest': 1186, 'weight': 4128, 'bigger': 1945, 'wad': 3087, 'panicky': 1834, 'ground': 1463, 'beneath': 1946, 'laughs': 308, 'cocoa': 3089, 'boy': 208, "dolph's_dad:": 3090, 'glen': 1464, 'choked': 3091, "renee's": 3092, 'grimly': 1947, 'living': 3093, 'alfalfa': 2736, 'wedding': 1948, 'sensitivity': 3095, 'beeps': 3096, 'two-thirds-empty': 3097, 'garbage': 1187, 'mad': 472, 'ech': 1949, 'associate': 4205, 'malfeasance': 3099, 'alright': 730, "she's": 364, 'cannot': 1465, 'tabooger': 1950, 'touched': 848, 'patrons': 3101, "man's": 3102, 'germany': 3103, 'gone': 473, 'suspenders': 5511, 'wildest': 6714, 'woman:': 1188, 'pledge': 3105, 'goblins': 4261, 'effervescence': 3106, 'gentle': 3107, 'appreciate': 4213, 'flack': 3109, 'mustard': 3110, 'five': 318, 'few': 975, 'warned': 3111, 'agency': 3112, 'alley': 1466, "'tis": 1951, 'numeral': 3113, 'yep': 976, 'mob': 1952, 'yea': 977, 'jokes': 5969, 'seat': 731, "daughter's": 3114, 'sooner': 1953, 'eva': 3115, 'plan': 849, 'oil': 1836, 'notices': 3117, 'chow': 3118, 'scornful': 3119, 'sinister': 1954, 'knocked': 1467, 'amazing': 1189, 'surprised/thrilled': 3120, 'pyramid': 6409, 'bunch': 1468, 'brusque': 3121, 'amount': 2061, "'er": 3123, 'rather': 1190, 'bake': 3124, "puttin'": 6479, 'personal': 3125, "where's": 398, 'calm': 978, 'train': 1191, 'cecil': 3126, 'buds': 3127, 'neil_gaiman:': 1955, 'this': 23, 'pick': 423, 'liability': 5514, 'california': 3128, 'bathtub': 4887, 'junior': 1469, 'captain:': 3129, 'survive': 979, 'switch': 1470, 'bothered': 3130, 'eternity': 3131, 'fan': 1192, 'principles': 3132, 'flashing': 4445, 'brain': 1193, 'wide': 1471, 'scores': 3134, 'thing': 133, 'dishrag': 3135, 'its': 1472, 'taught': 3136, 'lotta': 1194, 'doors': 1473, "one's": 980, 'parking': 1474, 'kidneys': 3137, 'kisser': 3138, 'protestantism': 3139, "tomorrow's": 3140, 'trunk': 5828, 'talkative': 5518, 'encouraging': 3141, 'feast': 1959, 'son': 732, "he'll": 733, 'mouths': 3143, 'malted': 3144, 'low': 514, 'religious': 3145, 'p': 981, "'topes": 1960, 'acceptance': 3146, 'maggie': 379, 'wobble': 3147, 'joey': 906, 'shout': 3148, 'comic': 2234, '_zander:': 1154, 'country-fried': 3150, 'found': 668, 'fondly': 1963, 'repeated': 3151, 'solo': 1964, "sat's": 3152, 'searching': 1475, 'understanding': 1476, 'cool': 669, 'slop': 3155, 'hotline': 1965, 'raggie': 3156, 'agents': 3157, 'rekindle': 3158, 'funds': 1966, 'espousing': 3159, 'draw': 1967, 'delighted': 1477, 'fact': 1478, 'quarterback': 3161, 'sales': 3162, "fishin'": 4634, "year's": 1479, "mcstagger's": 3163, 'streetlights': 3164, 'win': 444, 'checks': 1480, 'series': 6160, 'creature': 3166, 'together': 734, 'water': 850, 'friends': 280, 'sent': 851, 'bit': 610, 'website': 1968, 'compadre': 3167, 'kent_brockman:': 237, 'hard': 852, 'test-': 3168, 'occurred': 3169, 'haplessly': 3170, 'lots': 1481, 'homunculus': 3172, 'sixty': 3173, 'cleaned': 982, 'various': 3174, 'ninety-nine': 3175, 'wienerschnitzel': 3176, 'wigs': 3177, 'digging': 3178, 'forgive': 1969, 'maya': 1970, 't-shirt': 2445, 'level': 1971, 'andy': 1482, 'stalwart': 3182, 'boat': 1195, 'ruint': 3183, 'won': 853, 'festival': 1972, 'sucks': 3184, 'tell': 137, 'stagehand:': 3185, 'mathis': 3186, 'brunch': 3187, 'cases': 3188, 'heck': 3191, 'class': 854, 'pian-ee': 1973, 'urine': 4893, 'feed': 1483, 'venom': 3193, 'cream': 1975, 'sampler': 3194, 'hope': 319, 'stamps': 3195, "bein'": 1387, 'warranty': 3197, 'radiation': 3198, 'it:': 3199, 'email': 3200, 'rings': 3201, 'arguing': 3202, 'womb': 3203, 'routine': 1976, 'greedy': 1977, 'activity': 4886, 'gulps': 3205, 'jeff_gordon:': 3206, 'ones': 855, 'nearly': 1978, 'specific': 3207, 'semicolon': 735, 'bars': 1196, 'hurry': 1197, "spiffin'": 6179, 'jebediah': 1979, 'space': 1980, 'holiday': 1484, "i'd'a": 3209, 'novel': 3210, 'i-i': 983, 'sam:': 3211, 'forget': 474, 'flanders:': 5529, 'maher': 3212, 'remain': 3213, "we'll": 516, 'suck': 1485, 'cousin': 3214, 'cheesecake': 3215, 'multiple': 1981, 'pickle': 1198, 'lover': 1982, 'best': 227, 'choices:': 3216, 'half': 856, "lookin'": 517, 'banquet': 3217, 'massage': 3218, 'boozer': 3219, 'dealt': 3220, 'mother': 611, 'carlotta:': 3221, 'texan': 3222, 'horror': 3223, 'gimmick': 3224, 'moonlight': 6740, 'man_at_bar:': 3225, 'worst': 857, 'watashi': 3226, 'hydrant': 5022, 'swan': 5530, 'social': 2453, 'concerned': 1487, 'likes': 1708, 'demand': 3228, 'gel': 3331, 'tabs': 5531, 'air': 640, 'professional': 1199, 'hawking:': 1984, 'poplar': 3231, 'chair': 3232, 'grandkids': 3233, 'painted': 5745, 'change': 552, 'rafters': 3234, 'slightly': 1986, 'jasper_beardly:': 3235, 'compliment': 1489, 'tommy': 1987, 'fica': 3237, 'founded': 6634, 'doy': 3238, 'lady-free': 3239, 'crap': 736, 'absentminded': 3240, 'guzzles': 3242, 'reflected': 3243, 'hushed': 3244, 'chairman': 3245, 'swimming': 3246, 'recap:': 5160, 'koji': 5165, 'going': 181, 'street': 737, 'doctor': 3249, "stabbin'": 3250, 'surprise': 1988, 'gasp': 475, 'hurt': 424, 'ordered': 1490, 'margarita': 1989, 'involved': 1990, 'eye-gouger': 3251, "moe's": 172, 'handsome': 984, 'stocking': 3252, 'greetings': 1916, 'cowardly': 1991, "ma'am": 2408, 'hexa-': 5535, 'arise': 3254, 'formico:': 1992, 'blown': 1993, 'perhaps': 1492, 'dumpster': 5367, 'made': 209, 'allow': 3257, 'freaking': 3258, 'spine': 3259, 'sadly': 518, 'realizing': 553, 'warmth': 3260, 'patrons:': 3261, 'couch': 1201, 'elder': 1493, 'courteous': 3262, 'lungs': 3263, 'george': 3264, 'crowd': 1494, 'lighten': 5286, 'billboard': 1202, 'peanuts': 738, "mother's": 3266, "she'd": 3267, 'outlook': 1994, 'easy': 476, 'ned': 739, 'tear': 6422, 'chanting': 985, 'true': 380, 'also': 986, 'fighting': 1995, 'strips': 3268, "dyin'": 2422, 'weekly': 1203, 'trucks': 5476, 'cause': 3270, 'daughter': 399, 'steal': 555, 'blissful': 3271, 'achem': 2241, "soundin'": 3273, 'robbers': 3274, 'female_inspector:': 3275, 'blocked': 3276, 'full-blooded': 3277, 'because': 267, 'shyly': 3278, 'moe_recording:': 3279, 'confused': 987, 'ye': 1996, "g'night": 3280, "s'cuse": 3281, 'rickles': 3282, 'changing': 1092, "couldn't": 477, "springfield's": 1997, 'fortensky': 3284, 'seductive': 3285, 'tap': 740, 'ling': 3286, 'loser': 478, 'strategizing': 3287, 'alphabet': 1998, 'awake': 3288, 'slick': 3289, 'pained': 1495, 'beer:': 3290, 'popular': 1758, 'might': 263, "football's": 3292, 'leprechaun': 3293, 'fustigation': 3294, "waitin'": 2242, 'terrace': 2969, 'kirk_van_houten:': 479, 'babar': 3296, 'updated': 3297, 'noggin': 3298, 'half-day': 6722, 'german': 1496, 'caused': 2000, 'sitting': 741, 'investigating': 3002, 'woe:': 3301, 'badly': 3302, 'else': 612, 'unusual': 3303, 'plow': 1263, 'iran': 3304, 'agent_johnson:': 2566, 'theatrical': 3306, 'obvious': 2002, 'trolls': 2003, 'killing': 3307, 'snake': 1204, 'billingsley': 3308, 'closet': 3309, 'slurps': 3310, "moe's_thoughts:": 1205, 'vestigial': 3597, 'putting': 2004, 'doreen': 2582, 'crowd:': 613, 'lifestyle': 3313, 'schabadoo': 3314, "donatin'": 3315, 'continuum': 3316, 'diaper': 3317, 'jacques:': 480, 'befouled': 2005, 'threw': 1206, 'combination': 3319, 'meteor': 3320, 'sweden': 3600, 'brandy': 3321, 'wham': 3322, 'wild': 3323, 'sacajawea': 3324, "fendin'": 3325, 'case': 1207, 'attention': 1497, 'america': 988, 'fourteen:': 5655, 'simp-sonnnn': 2609, 'land': 3326, 'sadder': 1499, 'gin-slingers': 6189, 'gave': 445, 'administration': 3328, 'sang': 3329, 'ghouls': 3330, 'please': 201, 'love': 123, 'instead': 670, 'reporter': 6218, 'donate': 5543, "car's": 6388, 'motor': 3332, 'frankenstein': 3333, 'eating': 859, 'chuckling': 3334, 'basement': 3335, 'obama': 3336, 'jay:': 3337, 'furniture': 3338, 'ointment': 3339, 'became': 931, 'owes': 6474, 'maximum': 3341, 'bitterly': 1500, 'toy': 3342, 'spectacular': 3343, "hasn't": 2010, 'h': 3344, 'underwear': 2980, 'excitement': 2011, '||comma||': 2, 'splendid': 3345, 'jogging': 3346, 'blue': 652, 'billiard': 3348, 'eye': 556, 'quadruple-sec': 3349, 'crack': 860, 'friction': 3350, 'eddie': 3351, 'very': 228, 'has': 173, "ol'": 743, "wallet's": 3352, 'comic_book_guy:': 818, 'whatcha': 1501, 'british': 1846, 'working': 1209, 'edner': 3355, 'adrift': 3356, 'moe-clone:': 2246, 'peabody': 3358, 'calendars': 3359, 'affectations': 3360, 'ralphie': 3361, 'fixed': 2012, 'legal': 3362, 'snake-handler': 2013, 'woman': 320, 'portentous': 3363, 'muslim': 5943, 'temp': 3364, "father's": 2014, 'verticality': 3365, 'lime': 3098, 'tree_hoper:': 3366, 'self-esteem': 2748, 'plotz': 3368, "'bout": 614, 'kay': 3370, 'bowled': 5813, 'wooden': 2587, 'cocks': 3372, 'breaks': 3373, 'everything': 365, 'puffy': 3374, 'mimes': 3375, 'squashing': 3376, 'tummies': 5551, 'cost': 989, '2nd_voice_on_transmitter:': 3378, "what'sa": 2016, 'quarter': 3379, 'polish': 4895, 'nuclear': 990, 'poorer': 5552, 'blossoming': 3382, "how're": 3383, "'ceptin'": 3384, 'storms': 3386, 'pressure': 2017, 'tigers': 3387, 'restaurants': 2018, 'answer': 1210, "duelin'": 3389, 'allegiance': 3390, 'thousand': 615, 'pee': 3391, 'pathetic': 1502, 'correcting': 2691, 'debonair': 6198, 'fifteen': 1211, 'comment': 3393, "i-i'm": 1504, 'disposal': 4720, 'occupation': 3394, 'hated': 991, 'big': 138, 'sniffs': 1505, 'roll': 1506, 'hole': 1507, 'ehhhhhhhh': 3395, 'pats': 1508, 'dropping': 3396, 'movement': 3398, 'donation': 3399, 'instrument': 3400, 'beards': 6199, 'in-in-in': 3402, 'up': 48, 'stirrers': 3403, 'amid': 1212, 'exited': 3404, 'english': 744, 'fraud': 1509, "how'd": 672, 'intruding': 3405, 'coms': 4922, 'jamaican': 1510, 'vanities': 3407, 'pushes': 3408, 'punkin': 3409, 'spitting': 3410, 'uninhibited': 3411, 'lock': 2020, 're:': 1213, "bladder's": 6202, 'little_hibbert_girl:': 3412, 'pissed': 1511, 'yak': 3413, 'pool': 992, 'territorial': 3414, "drawin'": 2021, 'nervous': 334, 'brother-in-law': 3417, 'hello': 212, 'smokes': 6204, 'promise': 6498, 'crime': 1512, 'winning': 3419, 'beach': 993, "c'mere": 1513, 'expecting': 3420, 'action': 2022, 'screws': 3615, 'dull': 3421, "when's": 3422, 'windowshade': 3423, 'conspiracy': 3424, 'day': 155, 'exciting': 5562, "grandmother's": 3425, 'appointment': 2023, 'dignity': 3426, 'kennedy': 3427, 'stupidest': 3428, 'thoughtful': 1215, 'carl_carlson:': 45, 'bedroom': 2024, 'admiration': 1937, 'different': 1216, 'fausto': 2025, "pressure's": 3429, 'fool': 1515, 'causes': 3430, 'bulldozing': 4274, "i've": 98, "what're": 2026, 'ore': 3432, 'dear': 544, 'forty-two': 3434, 'halfway': 3435, 'inside': 745, 'nigeria': 2225, 'cheerleaders:': 3437, 'sports': 1217, 'annual': 3438, 'shoe': 3439, 'slaps': 3440, 'least': 597, 'gordon': 3442, 'chapter': 3443, 'limited': 3444, 'barbara': 3446, 'code': 2027, 'piling': 3447, 'app': 3448, 'patron_#1:': 3449, 'blowfish': 3450, 'un-sults': 2028, 'peach': 1517, 'host': 3451, 'ehhhhhh': 4921, 'freedom': 2030, 'certain': 2031, 'arimasen': 3452, 'saga': 3453, 'distance': 6331, 'jane': 3454, 'aerospace': 3455, 'ambrosia': 2032, 'st': 3456, 'caveman': 3457, 'aunt': 3458, 'are': 56, 'priority': 3459, 'tax': 2033, 'pantsless': 3460, 'sneeze': 3461, 'rage': 2034, "crawlin'": 2035, 'noose': 3462, 'meatpies': 3463, 'teeth': 1518, 'beloved': 994, 'store': 673, 'anymore': 616, 'fans': 1573, 'evil': 1519, 'program': 1899, 'wussy': 3466, 'thirty-three': 3467, "there's": 132, 'game': 349, 'concentrate': 3468, 'release': 2036, 'lodge': 3469, 'meanwhile': 3470, 'unlike': 1617, 'doreen:': 2037, 'shape': 1521, 'santa': 2038, 'looting': 3471, 'figured': 1219, 'splattered': 3472, 'creme': 3473, 'wakede': 3474, 'teach': 1220, 'space-time': 3475, 'bride': 2459, 'intimacy': 3477, 'biggest': 995, 'yoink': 3478, 'purse': 2039, 'waitress': 5569, 'helpless': 3479, 'idiot': 1522, 'see': 100, 'struggling': 1523, 'sharity': 3480, 'faint': 4420, 'spellbinding': 3481, 'strolled': 3482, 'fold': 2040, 'hardy': 5570, 'eco-fraud': 3484, 'goodbye': 617, 'snap': 2294, 'race': 3485, "rentin'": 3486, 'technical': 5882, 'jeff': 2847, 'peaked': 3488, 'quitcher': 3489, 'reed': 3490, 'rat-like': 3491, 'shaky': 3492, 'dang': 1222, 'tells': 1543, 'in-ground': 3494, 'energy': 2041, 'damn': 746, "tramp's": 5572, 'whaaaa': 3154, 'sideshow_mel:': 3495, "it's": 49, 'law': 1524, 'sighs': 281, 'bret:': 1680, 'coins': 2042, 'nation': 1525, 'tradition': 1526, 'groveling': 3496, 'goldarnit': 3497, 'plucked': 3498, '14': 3499, 'bums': 2253, 'giant': 3500, 'metal': 3501, 'ga': 5573, 'perverse': 3502, 'new': 163, 'overhearing': 3503, 'anxious': 3504, 'generally': 6219, 'owe': 996, 'partly': 2044, 'composite': 3506, 'health_inspector:': 862, 'white': 2045, 'warmly': 747, 'rush': 3507, 'bliss': 3508, 'elite': 3509, 'tow': 3511, 'third': 997, 'luckiest': 3512, 'nonsense': 6100, "where'd": 1527, 'smugglers': 2046, 'reward': 3513, 'recipe': 3514, 'kinda': 481, 'fresco': 3515, 'tick': 2410, 'hourly': 5083, 'dumbest': 3516, 'later': 674, 'ago': 998, 'friendship': 2047, 'lottery': 1528, 'involving': 2048, 'seeing': 1529, 'bragging': 4944, 'ralph': 3517, 'mulder': 3518, 'sandwich': 2050, 'newly-published': 3519, 'somehow': 2051, "table's": 3520, 'add': 3521, 'dumb-asses': 3522, 'refinanced': 3523, 'ebullient': 2938, 'accept': 1530, 'group': 864, 'restroom': 2052, 'insulin': 3524, 'overturned': 2963, 'busiest': 3525, 'scum-sucking': 3526, 'page': 2798, 'richard:': 3528, "show's": 2976, 'longer': 1108, 'knows': 675, 'apply': 3531, 'marguerite:': 1926, 'pride': 2054, 'sounds': 381, 'gentlemen': 519, 'abcs': 3436, 'pair': 3534, 'sheets': 3535, 'o': 748, 'fringe': 3019, 'supports': 3537, 'data': 3538, 'yells': 3539, 'forever': 749, 'vehicle': 4286, 'presidential': 3540, '_eugene_blatz:': 3035, 'organ': 2055, 'inserted': 3542, 'dank': 1139, 'gargoyle': 2057, 'anything': 299, 'beaumarchais': 3543, 'derek': 3544, 'alma': 3545, 'sideshow': 3546, 'fault': 1532, 'touchdown': 1533, 'hoo': 447, 'means': 750, 'badmouths': 3547, 'moe': 30, 'we-we-we': 3636, 'oils': 3548, 'peppy': 2059, 'slaves': 3804, 'huddle': 3550, 'balloon': 3551, 'gesture': 3552, 'paramedic:': 3553, 'completing': 2060, 'turning': 676, 'six-barrel': 3554, 'tones': 3555, 'rubbed': 3556, 'universe': 3557, 'jump': 1534, 'my-y-y-y-y-y': 3558, 'whoo': 3559, 'stay-puft': 3122, 'aghast': 3560, 'crawl': 1535, 'craphole': 2062, 'tease': 3561, 'sees/': 3562, 'reporter:': 2615, 'floated': 2063, 'etc': 751, 'retain': 3564, 'fink': 3565, 'los': 3566, 'solves': 3567, 'ate': 3568, 'raising': 1536, 'tobacky': 3569, 'broad': 999, 'africa': 2064, 'compromise:': 3570, 'orifice': 3571, 'supermodel': 6231, 'push': 1537, 'hair': 865, 'though': 752, 'ahem': 3573, "round's": 3574, 'fireworks': 3575, "floatin'": 6232, 'pinchpenny': 3576, 'bluff': 3577, 'canyonero': 401, 'one-hour': 3578, 'barney-shaped_form:': 1488, 'flatly': 1538, '50-60': 3579, 'astrid': 3580, "wait'll": 6250, 'destroyed': 3581, 'separator': 3582, 'stars': 4293, 'hangover': 3584, 'fastest': 3585, 'churchy': 3586, 'humiliation': 3587, 'someone': 290, 'magazine': 2065, 'shtick': 3588, 'bitter': 866, 'fontaine': 3589, 'charlie:': 3590, 'mitts': 3591, 'less': 618, 'grunt': 1540, 'eminence': 5488, 'gimmicks': 3593, 'want': 101, "tonight's": 3594, 'preparation': 3595, 'is:': 2066, 'kinds': 3596, 'blooded': 3311, 'sustain': 3599, 'throwing': 2737, 'hat': 3601, 'finest': 1541, 'prettiest': 3602, 'liquor': 3603, 'endorse': 1544, 'shoots': 2067, 'ma': 619, 'schizophrenia': 5983, 'perfume': 3013, "'til": 1520, 'shoulda': 6237, 'renders': 6648, 'count': 3604, 'hundred': 300, 'passes': 3605, 'banks': 1542, 'declare': 3606, 'runs': 3607, 'selective': 3608, 'agreement': 2068, 'beings': 3609, 'habit': 3610, 'blurbs': 3611, "aren'tcha": 3612, 'behavior': 4071, "talkin'": 520, 'renew': 3614, 'become': 1514, 'knowingly': 3616, 'film': 1882, 'by': 152, 'anybody': 677, 'harmony': 3618, 'crimes': 3619, "tony's": 3620, 'fuzzlepitch': 3621, 'witty': 2800, 'lookalikes': 5738, 'bloodball': 3622, 'sex': 867, 'lemonade': 3623, 'depository': 3624, 'sister-in-law': 3465, 'massachusetts': 3626, 'hand': 482, 'laid': 3628, 'boozy': 2069, 'combines': 3493, 'einstein': 3629, "watchin'": 1223, 'alva': 3630, 'wally:': 1224, 'distributor': 2070, 'tv-station_announcer:': 3631, 'things': 264, 'principal': 868, 'stickers': 3632, 'theme': 3633, 'shred': 3634, 'traitor': 3635, 'crew': 2058, 'joy': 3637, 'insured': 3638, 'hyahh': 3639, 'necklace': 4962, 'fast-paced': 3641, "'cause": 213, 'shrugging': 2071, 'fell': 3642, 'jumps': 2072, 'stool': 869, 'wall': 1002, 'pay': 419, 'lloyd:': 1000, 'pre-recorded': 3643, 'stiffening': 3644, 'clench': 3645, "y'know": 521, 'enveloped': 3646, 'powerful': 1545, 'pretzels': 3648, 'con': 3627, 'stingy': 3651, 'cronies': 3652, 'cloudy': 3653, "i'm": 24, 'sturdy': 3654, 'african': 1003, 'szyslak': 870, 'drop-off': 3655, 'superpower': 3656, 'bill_james:': 3657, 'figure': 3658, 'medical': 2073, "sayin'": 871, 'slurred': 3659, 'foil': 2074, 'treehouse': 3660, 'snail': 3661, 'dumbbell': 3662, "'evening": 4304, 'moon': 3663, 'tries': 2075, 'something:': 3664, 'darkest': 2076, 'church': 1547, 'victim': 3665, 'mostrar': 3666, 'denver': 875, "time's": 3668, 'wonder': 1005, 'course': 522, 'gotten': 1390, 'rev': 678, 'prayers': 3669, 'brunswick': 3670, 'brilliant': 1131, 'homer_': 3671, 'species': 3672, 'doppler': 3024, 'button': 1548, 'build': 3674, 'think': 94, 'philosophical': 3057, 'blank': 3676, 'counterfeit': 3677, 'hearts': 3678, 'nailed': 3679, 'furiously': 3680, 'congratulations': 3681, 'across': 872, 'playful': 2115, 'complaining': 2077, '||period||': 0, 'porn': 2078, 'tip': 873, 'prove': 2079, 'heh-heh': 3684, 'feisty': 3685, 'pro': 3686, 'coyly': 3852, 'male_inspector:': 2081, 'resolution': 3687, 'therapist': 2082, "wife's": 1549, 'larry': 3688, 'station': 3689, 'w': 2083, 'legally': 3171, 'saying': 753, 'john': 3691, 'eyesore': 2084, "spyin'": 3692, 'shag': 3693, 'little': 87, 'wreck': 3694, 'interrupting': 3695, 'almond': 3696, 'thanks': 215, 'contractors': 3697, 'libido': 3698, 'quimby_#2:': 6578, 'match': 1225, 'kenny': 3699, 'fifth': 3700, 'states': 3701, 'mcclure': 3702, 'hmmmm': 3703, 'assumed': 6616, 'sotto': 754, 'romance': 3705, 'sickened': 3706, 'international': 1550, 'recent': 3707, 'sing-song': 3708, 'bubbles-in-my-nose-y': 3709, 'hate-hugs': 3710, "doin'": 350, 'characteristic': 3711, 'bag': 874, 'mis-statement': 3712, 'in': 19, 'corkscrew': 2086, 'laney': 3714, 'reaching': 2087, 'broke': 831, 'candles': 3716, "kearney's_dad:": 3717, 'thankful': 1616, 'yee-ha': 3719, 'coy': 3720, 'alien': 5024, 'meal': 2594, 'cigarette': 1689, 'tang': 2088, 'partner': 1226, 'anyhow': 3722, 'quimbys:': 3723, 'trusted': 2089, 'ashamed': 1007, 'oblivious': 3724, 'psst': 3388, 'often': 4912, 'born': 1552, 'chick': 1227, 'miss_lois_pennycandy:': 3725, "somethin':": 3727, 'simpsons': 4092, 'undies': 3729, 'bras': 3730, 'revenge': 2900, 'answered': 4107, 'radiator': 4112, 'forecast': 3732, 'brain-switching': 3385, 'being': 403, 'two-drink': 3734, 'end': 558, "nothin'": 321, 'prize': 2090, 'inches': 3736, 'celebrity': 2091, 'realize': 2092, 'indicates': 3737, 'pronounce': 3738, 'hooked': 3739, 'lone': 3740, 'suburban': 3741, 'swe-ee-ee-ee-eet': 5111, 'dies': 3742, 'artie_ziff:': 483, 'sobo': 3743, "i'll": 95, 'should': 186, 'sympathy': 3744, 'lost': 322, 'cauliflower': 3745, 'photos': 6354, 'joining': 2761, 'priest': 2093, 'noise': 198, 'office': 3747, 'well': 50, 'considers': 3748, 'hollowed-out': 3749, 'corporation': 2094, 'terminated': 3750, 'completely': 3752, 'planted': 3753, 'ocean': 2266, 'rough': 1553, 'mom': 484, "buyin'": 1228, 'oof': 2095, 'beyond': 3755, 'miserable': 1554, "g'on": 3756, 'scare': 2096, 'guiltily': 3757, 'thank': 309, 'pays': 1555, 'filled': 2097, 'all:': 1008, 'la': 755, 'pigtown': 3527, 'power': 928, 'owns': 4845, 'bury': 3759, 'cameras': 1556, 'clean': 485, 'informant': 2254, 'augustus': 3760, 'synthesize': 3761, 'smooth': 1266, 'scene': 1557, 'expired': 3762, 'hobo': 2099, "beer's": 2100, 'explanation': 3763, 'deny': 3764, 'peace': 1558, 'argue': 3765, 'bush': 2101, 'ticks': 3766, 'railroads': 3767, 'steel': 2102, 'ooh': 233, 'light': 620, 'button-pusher': 4349, 'pulls': 1229, 'twenty-five': 1559, 'intelligent': 4358, 'arms': 1230, 'lord': 1009, 'muhammad': 3769, 'shotgun': 680, 'possessions': 3770, "aren't": 470, 'windex': 2104, 'leno': 3771, 'hero-phobia': 3772, 'play/': 4323, 'naegle': 3773, 'fbi_agent:': 3774, 'brothers': 2291, 'rub-a-dub': 5583, 'texas': 1560, 'labels': 2105, '_powers:': 1934, 'voyager': 5619, 'considering:': 3776, 'ease': 5099, 'more': 124, 'landlord': 3779, "idea's": 3780, 'jay': 5281, 'looked': 1561, 'k': 1562, 'immiggants': 3783, 'seats': 2106, 'inanely': 3784, "man'd": 3785, 'relax': 1563, 'hats': 2393, 'hopeful': 1006, 'politics': 2107, 'fat_in_the_hat:': 4493, 'odd': 1603, 'minimum': 1231, 'glee': 3789, 'sounded': 3790, 'turn': 347, 'julep': 3791, 'henry': 2108, 'avenue': 5622, 'audience': 3792, 'richer': 3793, 'quiet': 560, 'good-looking': 3794, 'inexorable': 3795, 'happily:': 3796, 'daaaaad': 4985, 'swigmore': 5821, 'guilt': 3798, 'rest': 1048, 'mither': 3800, 'abolish': 3801, 'funniest': 3802, 'boxing': 681, 'lucius:': 756, 'williams': 3803, 'bread': 2329, 'certified': 3806, 'mushy': 3807, 'craft': 3808, 'federal': 3809, "shootin'": 5344, 'yours': 2109, 'radio': 2110, 'determined': 3810, 'bottle': 598, 'mug': 1313, 'ahead': 1232, 'handling': 3812, 'specialists': 3813, 'seymour_skinner:': 204, 'source': 1565, 'monday': 3814, 'fevered': 2111, 'rub': 1566, 'common': 3815, 'yo': 1567, 'leaving': 3816, "callin'": 1010, 'wang': 2112, 'milk': 918, 'tablecloth': 3817, 'pretty': 324, 'human': 757, "blowin'": 3818, 'entire': 1568, 'comes': 336, 'swill': 2113, 'togetherness': 3819, 'character': 1233, 'wrapped': 3820, "fun's": 6274, 'delightfully': 3822, 'extended': 3823, 'wiggle': 6275, 'apartment': 2114, 'misconstrue': 3824, 'young_marge:': 778, 'stillwater:': 1373, 'payday': 4988, 'pridesters:': 3829, 'is': 22, 'fustigate': 4736, 'clothespins': 3682, 'wiggum': 561, "clancy's": 3831, 'gin': 1234, 'chub': 3832, 'nibble': 3833, 'grrrreetings': 3834, 'greystash': 1569, "swishifyin'": 3836, 'pre-game': 3837, 'lame': 2929, 'joined': 2116, 'slender': 3683, 'pregnancy': 3839, 'sale': 2117, 'improved': 3840, 'laws': 2118, 'wire': 758, 'nash': 3841, 'force': 2119, 'located': 3842, 'businessman_#2:': 6033, "buffalo's": 2120, 'be-stainèd': 3844, 'tail': 1235, 'break': 448, 'order': 1775, 'kiss': 759, 'boxcars': 3846, "wonderin'": 2121, 'urge': 3847, 'title': 3848, 'nervously': 3849, 'irrelevant': 3850, 'thirty-nine': 3851, 'bucket': 2080, 'world-class': 3853, 'tapered': 3854, 'favor': 1011, 'move': 760, 'cheapskates': 4868, 'odor': 3856, 'wow': 230, 'rent': 3857, 'rationalizing': 5025, 'habitrail': 3859, 'seemed': 2273, 'meaningless': 3860, 'dictating': 3861, "homer'll": 3862, 'eats': 3863, 'lisa': 282, 'simon': 3864, 'jerk': 1236, 'melodramatic': 3865, "guy's": 1012, 'sassy': 3866, 'mabel': 3867, 'connection': 3868, 'ziff': 2151, 'smug': 2282, 'mocking': 3870, 'you-need-man': 3871, 'writing': 1013, 'hammock': 6672, 'academy': 2123, 'self-made': 2124, 'ventriloquism': 3872, 'e-z': 3873, 'syndicate': 3874, 'hellhole': 4040, 'pour': 761, 'investor': 2125, 'mines': 3876, 'crapmore': 3877, 'yellow-belly': 3878, 'conversion': 3879, 'buddies': 3880, 'maitre': 3881, 'left': 427, 'progress': 3883, 'xanders': 6282, 'duff': 216, 'tomahto': 3884, 'envy-tations': 3885, 'catch': 1014, 'wearing': 1570, 'consider': 1571, 'repay': 3886, 'duke': 5009, 'fabulous': 2127, 'forward': 2128, 'jubilation': 3887, 'awful': 1704, 'forgets': 3888, 'reactions': 3889, 'hilton': 3890, 'attach': 3891, "cupid's": 3892, "rasputin's": 5050, 'nursemaid': 5951, 'nature': 3894, 'relaxed': 5064, 'ya': 110, 'humanity': 3896, "nixon's": 3897, 'strain': 3898, 'voice': 256, 'bear': 2129, 'show-off': 3899, 'singer': 3900, 'curious': 2130, 'whistles': 2131, 'mistakes': 6750, 'drawing': 2132, 'nectar': 3901, 'dee-fense': 2133, 'measure': 3902, 'panties': 3903, 'manjula_nahasapeemapetilon:': 879, 'mail': 2134, 'stink': 3904, 'united': 3905, 'french': 1015, 'hygienically': 3907, 'gees': 3908, 'flowers': 1393, 'cents': 1574, 'simpson': 310, 'doll': 2467, 'fast-food': 3909, 'birthplace': 3911, 'impress': 3912, 'hibachi': 3913, 'gardens': 5186, 'gas': 1237, 'spot': 1238, 'lately': 1575, "high-falutin'": 3915, "carl's": 1239, 'x': 1099, 'examines': 3917, 'soul': 1016, 'falling': 3918, 'attitude': 2136, 'foodie': 3919, 'smiled': 3920, 'fast': 762, 'starving': 3052, 'sponge': 4227, 'jerks': 1017, 'looser': 3053, "cat's": 2139, 'contented': 5245, 'you': 7, 'bus': 1576, 'frightened': 3926, 'eighteen': 3927, 'savvy': 5973, "sippin'": 3929, 'apart': 3930, 'cannoli': 3931, 'turned': 621, 'begging': 3932, 'charter': 3933, 'certificate': 3934, 'kills': 3935, "bart's": 1577, 'local': 1018, 'replaced': 3936, 'sunglasses': 3675, 'je': 3938, 'yards': 2140, 'took': 382, 'adult': 3939, 'othello': 3940, 'suppose': 1460, 'hillbillies': 3942, 'winded': 3944, 'bunion': 3945, 'unhappy': 5326, 'domed': 3431, 'gorgeous': 2141, 'uhhhh': 3056, 'dramatic': 1241, 'bugs': 3947, 'capitol': 6261, 'payments': 2143, 'twenty': 486, 'boisterous': 3948, 'cleveland': 3949, 'veteran': 3950, 'generous': 2144, 'hems': 3951, 'ominous': 1242, 'children': 1019, 'trapped': 2146, "ball's": 3952, 'grieving': 3953, 'director:': 3954, 'stripe': 3956, 'reunion': 3958, 'song': 562, 'gumbel': 880, 'rumaki': 2147, 'remains': 2148, 'op': 3959, 'aristotle:': 6337, 'sanitation': 3960, 'sigh': 563, 'ashtray': 3961, 'equal': 3962, "what'll": 1243, 'thunder': 3963, 'natured': 3964, "plank's": 3965, 'talkers': 3966, 'beam': 2149, 'comedies': 3967, 'eat': 487, 'lugs': 3968, 'dumb': 881, 'devastated': 2150, 'doing': 383, 'lurleen_lumpkin:': 2152, "world's": 1020, 'pharmaceutical': 3969, 'er': 3970, 'decision': 3971, 'moron': 683, 'circus': 3972, 'whether': 2153, 'exchange': 2154, 'tense': 3973, 'bathed': 2964, 'superdad': 3974, "how's": 1071, 'baloney': 3975, 'enlightened': 3976, 'carlson': 2155, 'dory': 3787, 'poke': 3977, 'winks': 3978, 'aid': 3979, "men's": 1579, 'wonderful': 1021, 'party': 368, 'break-up': 3980, 'invented': 882, 'face': 210, '91': 3981, 'idealistic': 3982, 'takes': 883, 'here': 44, 'sieben-gruben': 3983, 'stretches': 3984, 'farewell': 3985, 'alternative': 3986, 'cavern': 3987, 'alive': 623, 'say': 114, 'd': 2156, 'flown': 6181, 'anderson': 3988, 'co-sign': 3989, 'ummmmmmmmm': 3990, 'contest': 2157, 'extreme': 5357, 'moe-lennium': 3992, 'invited': 1022, 'arse': 3993, "livin'": 1245, 'knock': 1246, 'emphasis': 3994, "homer's_brain:": 2158, 'asking': 2159, 'haikus': 3995, "others'": 2160, 'easter': 3996, 'neighborhood': 3997, 'stunned': 1023, "they're": 257, 'gheet': 3998, 'young': 624, 'hurts': 1580, 'timbuk-tee': 4000, 'walking': 763, 'let': 140, 'name:': 4002, 'evasive': 4003, "wasn't": 524, 'lenny:': 2161, 'm': 565, 'boston': 4005, 'alcoholism': 4006, "'s": 4007, "fallin'": 2162, 'cocktail': 1581, 'sexual': 1582, 'upsetting': 4009, 'tune': 884, 'vacation': 2163, '7-year-old_brockman:': 2164, 'woman_bystander:': 2165, 'person': 625, 'publish': 4010, 'trip': 1247, 'fayed': 4011, 'derisive': 4012, 'dash': 4013, 'picture': 684, 'duty': 2166, 'wayne': 2181, 'unfamiliar': 3726, 'darn': 4014, 'paying': 1583, 'number': 764, 'heading': 2167, 'polls': 4015, 'rife': 4016, 'burnside': 5011, "here's": 301, 'tokens': 3715, 'jumping': 4019, 'japanese': 765, 'hide': 766, 'tactful': 4021, 'stagey': 4022, 'pin': 2607, 'tar-paper': 5747, 'miracle': 4023, 'size': 1584, 'robot': 5658, 'prints': 4024, 'chance': 525, 'lurleen': 2169, 'played': 1858, 'legend': 4383, 'suave': 6678, 'boyfriend': 2170, 'whatsit': 4026, 'unforgettable': 4027, 'declared': 4028, 'treats': 4030, "hobo's": 4031, 'food': 767, 'stationery': 2171, 'racially-diverse': 3617, 'hostages': 4033, 'mirror': 4034, 'louse': 4035, 'scully': 2173, 'indeedy': 4036, 'public': 1777, 'portuguese': 4037, 'jerk-ass': 3721, 'jernt': 5179, 'severe': 1585, 'ridiculous': 1586, 'lindsay_naegle:': 1587, 'vermont': 4106, 'totally': 1024, 'ollie': 2174, 'kinderhook': 4041, 'refreshingness': 4042, 'tyson/secretariat': 4043, 'artie': 1025, 'lying': 885, 'single': 1588, 'great': 170, 'rebuttal': 4044, 'pointless': 2175, 'would': 134, "collector's": 4045, 'contact': 6312, 'reasons': 2176, 'into': 121, 'britannia': 4046, 'tape': 526, 'industry': 2177, 'vincent': 4047, 'robin': 4048, 'ride': 1380, 'putty': 4050, 'i-i-i': 2685, 'octa-': 6309, 'spare': 4053, 'yes': 231, 'oddest': 4054, 'failed': 2178, 'awareness': 4055, 'fridge': 1251, 'kisses': 4056, 'slap': 886, 'libraries': 4057, 'poster': 4058, 'eh': 175, 'choice': 1252, 'question': 1253, 'cobra': 4059, 'droning': 4060, 'singing/pushing': 5341, 'hug': 1551, 'covering': 1589, 'aziz': 4063, 'len-ny': 4064, 'sideshow_bob:': 4065, 'listen': 220, 'bird': 2179, "pickin'": 4066, 'burning': 1590, 'jukebox': 887, 'gore': 4067, 'planet': 2180, 'moments': 1591, 'need': 139, 'dreary': 4068, 'intoxicants': 4069, 'until': 1026, 'commit': 4070, 'rob': 1408, 'musical': 4073, 'simple': 4074, 'correct': 1254, 'pretends': 4075, 'hunter': 1592, "it'd": 2182, 'fragile': 2183, 'cesss': 4076, 'backgammon': 4077, 'given': 1027, 'ooo': 1255, "tester's": 2184, 'grade': 2185, 'harv': 1593, 'smell': 685, 'uneasy': 1594, 'passed': 2186, 'halloween': 4078, 'guessing': 4079, 'delivery_boy:': 2743, 'hollye': 4080, 'breakfast': 4081, 'jailbird': 2187, 'stripes': 4082, 'needy': 2188, 'savagely': 5347, 'side': 1029, 'lovejoy': 4085, 'happy': 269, 'those': 168, 'clock': 2189, 'tidy': 4087, 'spreads': 4088, 'swamp': 4089, 'safe': 888, 'walther': 4090, 'priceless': 4091, 'head': 270, 'went': 428, "we're": 136, 'gator:': 2763, 'mexicans': 4095, 'verdict': 4096, 'cable': 1256, 'soir': 4097, 'alec_baldwin:': 4098, 'authorized': 2190, 'thousands': 4099, 'community': 4100, 'material': 4101, 'sharps': 1137, 'backwards': 1595, 'smelly': 4103, 'like': 39, 'kramer': 2191, 'nail': 4104, 'staying': 1596, 'mike_mills:': 4105, 'telling': 768, 'out': 51, 'works': 566, 'correction': 3731, 'lovelorn': 4108, 'beat': 271, 'frontrunner': 4109, 'earlier': 4110, 'jewish': 4111, 'professor_jonathan_frink:': 546, 'contemplated': 4113, 'phone': 176, 'damage': 5814, 'radishes': 1257, 'sleep': 1764, "stinkin'": 1597, "could've": 1598, 'awesome': 2192, 'grenky': 4114, 'served': 2193, 'astronaut': 2194, 'fonzie': 4115, 'trade': 3012, 'short': 1030, 'mediterranean': 4116, 'danish': 2195, "mecca's": 4119, 'delete': 626, 'ancestors': 4120, 'join': 686, 'watered-down': 2196, 'murmurs': 2197, 'clubs': 4121, 'tee': 4122, 'clandestine': 4123, 'pirate': 2198, 'except': 889, 'silence': 4124, 'men': 890, 'johnny': 4125, 'tubman': 5402, 'mate': 2199, 'television': 3086, 'complaint': 2200, 'assassination': 4129, 'lazy': 2201, 'pugilist': 4130, 'book': 337, 'couple': 687, 'scotch': 1599, 'rhode': 3256, 'remodel': 4132, 'moe_szyslak:': 9, 'hangs': 2202, 'offa': 4133, 'um': 384, 'small': 488, 'oh-so-sophisticated': 4134, 'clearly': 1357, 'amends': 6318, 'freak': 2203, 'gags': 4136, 'go-near-': 4137, 'andalay': 2204, 'impeach': 4138, 'selfish': 4139, 'rounds': 2205, 'dizzy': 4140, 'fireball': 1600, 'acting': 2206, 'carey': 4141, 'customers': 1155, 'the_rich_texan:': 567, 'korea': 4144, 'sit': 1358, 'themselves': 2207, 'dingy': 4145, 'crayon': 4146, 'albert': 6220, 'palm': 2849, 'legs:': 4147, 'multi-national': 4148, 'shrieks': 3957, 'refresh': 2208, 'slight': 2209, 'close': 559, 'proudly': 793, 'company': 891, 'paper': 4971, 'whoever': 4150, 'pitcher': 1259, "fine-lookin'": 4151, 'agent_miller:': 4152, 'real': 341, 'mcbain': 2210, 'yoo': 2211, 'of': 15, 'joke': 2212, 'she': 159, 'scram': 4154, 'value': 2213, 'chill': 4155, 'consulting': 4156, "somethin's": 4157, 'man_with_crazy_beard:': 4158, 'our': 125, 'offensive': 4159, 'cappuccino': 4160, 'breath': 1260, 'example': 4161, 'sweetly': 1601, "spaghetti-o's": 4162, 'captain': 4163, 'begin': 4164, 'wrestling': 2214, 'baby': 404, 'hops': 4165, 'noticing': 1602, 'wholeheartedly': 4166, 'package': 4167, 'been': 105, 'feet': 688, 'bathroom': 2215, 'their': 221, 'stewart': 5231, 'extinguishers': 4168, 'lofty': 4169, 'shows': 1435, 'secret': 405, 'arab_man:': 2217, 'motorcycle': 2218, 'media': 2219, 'mix': 4029, 'buy': 265, 'beard': 4171, 'firing': 4172, 'democrats': 4174, 'shoulder': 2221, 'gayer': 5037, 'used': 369, 'reluctant': 4175, 'eager': 4176, 'enthusiasm': 4177, 'all-american': 4178, 'cans': 4179, 'skinheads': 4180, 'hilarious': 1604, 'nice': 272, 'insecure': 4181, 'raccoons': 2222, 'smithers': 429, 'venture': 4182, 'flourish': 5039, 'barstools': 2941, 'super-genius': 4183, 'massive': 3838, 'coming': 527, 'shutting': 2223, 'honored': 2224, 'serve': 1605, 'scatter': 4185, 'desperately': 4186, 'quit': 449, 'eyeing': 6055, 'detail': 4187, 'finally': 769, 'nuts': 490, "sittin'": 1034, 'celebrate': 4188, 'years': 248, 'snake_jailbird:': 581, 'warren': 6436, 'holy': 4190, 'grace': 4191, 'upset': 528, "'em": 193, 'woo': 385, "ma's": 4193, 'sky': 4194, 'gabriel': 4195, 'groans': 4196, 'kyoto': 2226, 'tender': 4197, 'lawyer': 4198, 'youth': 4199, 'sniper': 4200, 'may': 628, 'yee-haw': 1606, 'forget-me-drinks': 4201, 'outs': 4202, 'law-abiding': 4203, 'harv:': 893, 'barflies': 609, 'wishful': 4206, 'crestfallen': 4207, 'safely': 4208, 'housing': 4209, 'permanent': 4210, 'neck': 1261, 'dials': 2227, 'pocket': 1607, '||left_parentheses||': 3, 'pages': 4211, 'stomach': 4212, 'kindly': 2229, 'cheryl': 3108, 'although': 2230, 'safer': 2231, 'knees': 2232, 'fruit': 6037, 'knives': 4214, 'scratcher': 4215, 'rupert_murdoch:': 4216, 'making': 742, 'burp': 1318, 'teriyaki': 4218, 'slice': 2288, 'seas': 2696, 'american': 690, 'money': 144, 'belong': 1961, 'não': 4220, 'rebuilt': 4221, 'lucinda': 4222, 'coward': 2235, 'passports': 4223, 'considering': 2236, 'hike': 4224, 'pack': 4225, 'disgracefully': 4226, 'orgasmville': 4228, 'began': 2237, 'sitcom': 4229, 'sue': 4230, 'bring': 491, 'boxcar': 4231, 'shot': 691, 'hah': 4232, 'gary_chalmers:': 1608, 'patty': 2238, 'waltz': 2239, 'on': 28, "challengin'": 4233, 'peeved': 6334, 'process': 4234, 'disgrace': 2240, "yieldin'": 4235, 'whip': 629, 'rip': 4236, 'appearance-altering': 4237, 'artist': 4238, 'pulled': 1262, 'geyser': 4239, 'grandmother': 2138, 'ancient': 1609, 'at': 67, 'hampstead-on-cecil-cecil': 4240, 'supposed': 895, 'thirty': 896, 'lear': 4241, 'gotcha': 4242, 'crushed': 3272, 'short_man:': 4243, 'form': 1898, 'advertise': 4244, 'golden': 4245, "ya'": 3295, 'escort': 4246, 'attractive_woman_#2:': 4247, 'mcstagger': 2001, 'moving': 4248, 'statues': 4249, 'raging': 4250, 'homie': 770, 'lump': 2987, 'maude': 4252, "you're": 61, 'rookie': 4253, 'lookalike:': 4254, 'strangles': 4255, 'allowed': 2243, 'ivy-covered': 4256, 'detecting': 2244, 'honeys': 4257, 'edgy': 4258, 'sickens': 4259, 'bookie': 4260, 'jackass': 4262, 'helpful': 3353, 'killjoy': 3357, 'perfect': 638, 'expert': 2247, 'changed': 1610, 'pub': 1410, 'above': 1611, 'mixed': 2248, 'getup': 5122, 'cozies': 4265, 'neither': 2249, "messin'": 4266, 'anthony_kiedis:': 4267, 'believe': 323, 'supply': 4268, 'standards': 2250, 'liable': 4269, 'tremendous': 4270, 'al': 897, 'ons': 4271, 'prettied': 4272, 'knuckles': 4273, 'fellow': 1103, 'professor': 2251, 'sector': 2252, 'neighbors': 4275, 'quick-like': 4276, 'fire': 492, 'gonna': 78, 'midnight': 1612, 'meals': 4277, 'fumigated': 4278, 'dea-d-d-dead': 4279, 'meaningful': 1264, 'blow': 1294, 'items': 4280, 'fudd': 2043, 'worthless': 4281, 'proposition': 4282, 'thing:': 4283, 'effects': 2098, 'dinner': 425, 'understood:': 4284, 'proves': 4285, 'sobs': 258, 'hall': 1531, 'nudge': 2256, 'gary:': 1613, 'fritz': 2257, 'excellent': 2258, 'ripped': 4287, 'tanked-up': 2259, 'skinner': 450, 'nods': 679, 'swatch': 4288, 'sugar-free': 4289, 'abe': 4290, 'loboto-moth': 4291, 'limericks': 4292, 'combine': 2260, 'we': 57, "today's": 1267, 'recreate': 3583, 'edna_krabappel-flanders:': 1138, 'watch': 386, 'moan': 570, 'quarry': 4294, 'or': 116, "santa's": 4295, 'cricket': 4296, 'male_singers:': 4297, 'spite': 4298, 'meant': 1614, "it'll": 575, 'life-threatening': 4299, 'dint': 4300, 'amiable': 4301, "soakin's": 3649, 'publishers': 3650, 'mugs': 4303, 'so-called': 2262, 'sharing': 5275, 'pews': 4305, 'squishee': 4306, '$42': 4307, 'hibbert': 2263, 'enjoy': 1268, 'schorr': 4308, 'fox': 2664, 'imitating': 4309, 'janette': 4310, 'fit': 3718, 'dangerous': 898, 'idioms': 4311, 'bow': 899, 'cigars': 4312, 'plywood': 2264, 'european': 2265, 'reopen': 4313, "who's": 283, 'besides': 3754, 'replace': 2905, 'proof': 4315, 'democracy': 4316, 'sheriff': 4317, 'sending': 4318, 'frink-y': 4319, 'barney-guarding': 4320, 'meyerhof': 5523, 'cutest': 4321, 'automobiles': 4322, 'bull': 5003, 'breathless': 4324, 'chicks': 2267, 'moe-clone': 4325, 'sticking': 4326, 'soap': 2268, 'bumblebee_man:': 3788, 'musketeers': 4328, 'muscle': 4329, 'museum': 2269, 'uglier': 4330, 'helen': 2270, 'sketching': 6351, 'flexible': 4331, 'kegs': 6352, 'heavyweight': 1269, 'waste': 4332, 'laramie': 2271, 'noble': 4333, 'present': 2272, 'failure': 5699, 'gloop': 4335, 'okay': 86, 'saget': 3843, 'try': 396, 'over': 145, 'smoke': 2274, 'ignoring': 4337, 'morlocks': 2275, 'landfill': 4338, 'lainie:': 4339, 'manager': 2276, 'disappear': 4340, 'throat': 571, 'tomorrow': 451, 'fires': 4341, 'blur': 4342, 'rockers': 4343, 'make:': 4344, 'broken': 4345, 'languages': 4346, "liftin'": 4347, 'leftover': 4348, 'ring': 1618, 'loathe': 4350, 'rap': 2277, 'non-american': 4351, 'brother': 1619, 'spoon': 4352, 'mission': 4354, 'mind-numbing': 5065, 'friendly': 772, 'butter': 4356, 'regretful': 4357, 'puff': 1620, 'baseball': 876, 'runaway': 4359, 'devils:': 4360, 'earth': 4361, 'gets': 452, 'speak': 1037, 'ditched': 4362, 'fail': 4363, 'caricature': 4008, 'lotsa': 4364, 'swings': 4365, 'backbone': 4366, 'james': 1621, 'beady': 4367, 'privacy': 4368, 'gumbo': 4369, 'onassis': 4370, 'mccall': 4371, 'mess': 2278, 'aims': 4372, 'grin': 4373, 'drains': 5211, 'smoker': 4374, 'klown': 4375, 'ballot': 4376, 'kako:': 4377, 'quickly': 430, 'insightful': 2279, 'anyhoo': 4378, 'frosty': 2280, 'fanciest': 2281, 'dime': 4379, 'estranged': 4380, 'starters': 4381, 'conditioning': 4382, 'lay': 4084, 'tough': 431, 'hippies': 3042, 'way': 156, 'blend': 2283, 'collateral': 4386, 'transfer': 4387, 'panicked': 4388, 'keep': 273, 'drunk': 217, 'smile:': 1925, 'actually': 351, 'traffic': 1622, 'aging': 2284, 'chain': 4390, 'luv': 4391, 'life-extension': 5515, 'eliminate': 4393, 'soft': 5612, 'appreciated': 4395, 'thrilled': 4396, 'temple': 4397, 'middle': 1623, 'wally': 4398, 'newsies': 4399, 'dean': 4400, 'cupid': 4401, 'clinton': 2285, 'bedridden': 4402, 'cake': 2286, 'sips': 900, 'cushions': 4403, 'meaningfully': 4404, 'allowance': 4405, 'photo': 2287, 'ura': 4406, 'glove': 773, 'thomas': 4219, 'tired': 1038, "stealin'": 4407, 'chase': 2289, 'lobster': 4408, "secret's": 4126, 'sesame': 4409, 'bedbugs': 2290, 'kucinich': 3775, 'lessons': 1039, 'releases': 4410, 'errrrrrr': 4411, 'diddilies': 4412, 'pope': 2292, 'month': 4413, 'recently': 2293, 'mike': 1104, 'nightmares': 4415, 'salvador': 4416, 'exploiter': 4417, 'newsletter': 4418, 'drawn': 5852, 'kl5-4796': 4419, 'pilsner-pusher': 4302, 'optimistic': 4421, 'canyoner-oooo': 4422, 'frescas': 6367, 'menlo': 3613, 'shush': 6167, 'intervention': 4423, "duff's": 4424, 'philip': 4425, 'frogs': 4426, 'flush-town': 4427, 'intriguing': 4428, 'pipes': 1270, 'jig': 4385, 'nagurski': 4392, 'endorsed': 4430, 'tasimeter': 4431, 'excuse': 406, 'one': 60, 'sadistic_barfly:': 1625, '1895': 2623, 'justify': 4432, 'chastity': 4433, 'poisoning': 5713, 'emotion': 4434, 'cute': 1626, 'buddy': 693, 'specializes': 3778, 'solid': 2296, 'dynamite': 1628, 'tastes': 1627, 'throats': 4436, 'bauer': 4437, 'griffith': 4451, "ain't": 167, 'nerd': 4438, 'restless': 4439, 'trench': 2297, 'phasing': 4440, 'mona_simpson:': 2298, 'woodchucks': 4435, 'squeeze': 4441, 'knuckle-dragging': 4443, 'shooting': 2299, 'mailbox': 4444, 'speed': 5076, 'infestation': 4446, 'ready': 774, 'exhale': 6457, 'edison': 1629, 'atari': 4447, 'loved': 901, 'inserts': 3782, 'stacey': 4448, "renovatin'": 4449, 'napkins': 4450, 'wanna': 187, 'stay': 572, 'park': 1040, 'additional-seating-capacity': 4452, 'harrowing': 6371, 'settlement': 4453, 'next': 311, 'crippling': 4454, 'history': 1630, 'scrape': 2301, 'challenge': 1631, 'me': 21, 'happier': 775, 'stools': 1632, 'thanking': 4455, 'wraps': 4456, 'innocuous': 4457, 'phase': 4458, 'neon': 4459, 'empty': 1041, 'logos': 4460, 'suits': 4577, 'edelbrock': 4462, 'interested': 2302, 'punches': 1962, 'holds': 902, 'meaning': 4463, 'little_man:': 1042, 'coat': 1271, 'navy': 4464, 'kearney_zzyzwicz:': 4251, 'society': 4621, 'issues': 4467, 'pull': 631, 'badmouth': 4468, 'choice:': 4469, 'lance': 4470, 'lincoln': 4471, 'sap': 4472, "now's": 4473, 'happily': 1633, 'drollery': 4474, 'weird': 809, 'treasure': 903, 'fire_inspector:': 4670, 'ails': 4475, 'dipping': 4476, 'remorseful': 4477, 'with': 35, 'laugh': 303, 'door': 515, 'launch': 4479, 'mafia': 1635, 'message': 2303, 'got': 54, 'cruise': 4480, 'lovers': 4481, 'buttons': 1272, 'rude': 4482, 'notice': 4483, 'bleeding': 4484, 'producers': 4485, 'ballclub': 4486, 'maxed': 4487, 'macbeth': 4745, 'ingrates': 4489, 'nothing': 696, 'cheery': 2304, '1-800-555-hugs': 6375, 'infiltrate': 4490, 'embarrassed': 1273, 'cell': 4491, 'heals': 3149, 'potatoes': 4492, 'what-for': 4494, 'monkey': 2306, 'score': 4495, 'natural': 1636, 'sat': 2382, 'authenticity': 4798, 'goods': 2308, 'shaker': 4497, 'cockroach': 4498, 'enjoys': 4499, 'shoulders': 4500, 'simplest': 4501, 'barn': 697, 'afterglow': 4502, 'image': 1638, 'anywhere': 2309, "jackpot's": 4503, 'femininity': 4504, 'charity': 2310, 'situation': 1274, 'bloodiest': 4505, "smackin'": 4506, 'continued': 4507, 'elves:': 5735, "kiddin'": 776, 'desperate': 904, 'dumbass': 4508, 'lushmore': 4891, 'chateau': 4510, 'nightmare': 4511, 'consoling': 4512, 'upgrade': 4899, 'die-hard': 5724, "workin'": 1043, '2': 5947, 'boxers': 4516, 'sec_agent_#2:': 2311, 'ayyy': 2300, 'jacks': 5447, 'bike': 1459, 'latour': 4938, 'corner': 1859, 'princess': 905, 'lee': 4518, 'pure': 4519, 'leonard': 4520, 'forty-five': 4521, 'decency': 2314, 'dude': 1044, 'represent': 1045, 'icelandic': 4522, 'bannister': 4523, 'permitting': 4524, 'pall': 4525, 'therefore': 2315, 'plant': 771, 'whistling': 4527, 'newest': 4528, 'swear': 1046, 'lily-pond': 3690, 'perplexed': 4529, 'self-centered': 4530, 'leathery': 4531, 'heh': 656, 'david': 2318, 'trapping': 5000, 'boozebag': 4533, 'toledo': 4534, "tv's": 4535, 'tomatoes': 5019, 'taunting': 4537, 'adult_bart:': 1047, 'aged_moe:': 2319, "gettin'": 569, 'getaway': 3799, 'thirteen': 2320, 'kirk': 4539, 'mole': 4540, 'frankie': 4541, 'furry': 4542, 'rewound': 4543, 'guess': 242, 'regret': 2321, 'despite': 1639, 'white_rabbit:': 4544, 'afraid': 777, 'kazoo': 5090, 'lucky': 698, 'put': 214, 'hardwood': 4118, 'sheepish': 1275, 'dozen': 4547, 'wish': 338, 'understand': 1276, 'voice:': 2322, 'clears': 1049, 'difference': 4548, 'seen': 302, 'macgregor': 4549, 'published': 4550, 'ahhhh': 4551, 'prime': 1516, 'fly': 1640, 're-al': 5351, 'solved': 4553, 'fluoroscope': 4554, 'teams': 2323, 'wells': 6207, 'grab': 2324, 'killarney': 5173, 'novelty': 5177, 'car': 223, 'amanda': 1277, 'wore': 4556, 'sixteen': 4557, 'society_matron:': 4558, 'shells': 4559, 'noosey': 4560, 'straight': 573, 'drift': 4561, 'xx': 4562, 'lady_duff:': 4563, "'pu": 4565, 'filthy': 1050, 'confident': 2326, 'south': 1278, 'falcons': 2328, 'rascals': 5595, 'pennies': 3805, 'focused': 4566, 'aah': 4567, 'orders': 4568, 'jobless': 4569, "costume's": 5256, 'test-lady': 4570, 'snackie': 4571, 'fixes': 5292, 'avec': 4573, 'coffee': 1641, 'shelf': 4574, 'cell-ee': 4575, 'betrayed': 4576, 'poking': 2332, 'book_club_member:': 1642, 'project': 2512, 'future': 1644, 'annoying': 4461, 'pine': 4578, 'games': 1051, 'statue': 4579, 'marge_simpson:': 73, 'crowbar': 4580, 'refill': 4581, 'birthday': 861, 'weekend': 4582, "can'tcha": 4583, 'jaegermeister': 4584, 'trainers': 3190, 'luckily': 4586, 'stopped': 1645, 'increased': 4587, 'promised': 2334, 'branding': 3069, 'price': 2335, 'slim': 4589, 'tried': 1646, 'oughta': 4590, "brady's": 4591, 'pointed': 1279, 'disdainful': 5313, 'nameless': 4593, 'socratic': 4594, 'tooth': 4595, 'bastard': 2333, 'fatso': 4596, 'taste': 4597, "tree's": 4598, 'teacup': 4599, 'soaps': 4600, 'nasty': 4601, 'tracks': 3811, 'colossal': 4602, 'tonight': 249, 'steaming': 4603, 'offshoot': 4604, 'mistresses': 5434, 'pillows': 5487, 'accounta': 4606, 'stores': 4607, 'boyhood': 4608, 'coin': 5443, 'uh': 58, 'bye': 1280, 'champs': 4610, 'stretch': 4611, 'bottoms': 4612, 'urinal': 4613, 'legoland': 4614, 'madman': 4615, 'drapes': 4616, 'kept': 1647, 'squirrel': 4617, 'hunger': 4618, 'clear': 1052, 'truck_driver:': 4619, 'monorails': 3825, "seein'": 1648, 'kermit': 1761, 'floor': 1649, 'use': 284, 'plum': 2337, 'much': 177, 'mmm': 2168, "stallin'": 5510, 'patient': 2338, 'nein': 1053, 'slogan': 4622, 'f': 1650, 'wipes': 4623, 'tie': 2565, 'misfire': 4624, 'inclination': 4625, 'justice': 2340, 'hub': 4626, 'thirty-five': 4627, "i'd": 164, 'why': 109, 'otherwise': 4628, 'stu': 4629, 'pile': 4630, "america's": 4631, 'der': 1651, 'clips': 4632, 'calmly': 2341, 'ho': 1652, 'check': 268, 'stats': 4633, '||return||': 1, 'fortress': 4635, 'wok': 4636, 'reluctantly': 4637, 'shove': 1654, 'y': 4639, 'military': 1655, 'microbrew': 4640, 'down': 122, 'a-lug': 4641, 'hare-brained': 4642, 'no': 32, 'part': 1054, 'teenage_barney:': 1281, 'pink': 5156, 'and-and': 4643, 'incognito': 4644, 'picked': 4645, 'stairs': 4646, 'presently': 5425, 'macho': 4647, 'deacon': 2344, 'sexton': 5263, 'clammy': 4649, "tellin'": 1055, 'standing': 2345, 'yuh-huh': 4650, "boy's": 4651, 'freshened': 4652, 'wave': 2346, 'comfortable': 1656, 'widow': 4653, 'floating': 4654, 'following': 1657, 'accelerating': 4655, 'las': 4656, 'bar:': 4657, 'walked': 4658, "s'pose": 4659, 'sincere': 1282, 'jeter': 4660, 'yet': 699, 'groan': 4661, 'bumpy-like': 5120, 'confidentially': 4663, 'dunno': 907, 'right-handed': 4664, 'cyrano': 4665, 'adopted': 4666, 'skoal': 5751, 'phlegm': 4668, 'needed': 1283, 'watched': 4669, 'grabs': 1658, 'moment': 1284, 'neighbor': 2349, 'mouth': 432, 'vegas': 1659, 'milhouse': 1634, 'apu_nahasapeemapetilon:': 243, 'washed': 4671, 'childless': 4672, 'sagacity': 4673, 'sexy': 1285, 'conditioners': 4389, 'disturbance': 4674, 'tony': 908, 'farthest': 4675, 'famous': 2350, 'disappointing': 4676, 'placing': 2351, 'stones': 4677, 'hungry': 1286, 'dreamed': 2352, 'gangrene': 4678, 'morning': 633, 'grope': 4680, "wearin'": 4681, 'managing': 2347, 'handwriting': 4682, 'earpiece': 4683, 'nor': 4684, 'benjamin:': 3895, 'polishing': 4685, 'municipal': 4686, 'creepy': 4687, 'elephants': 2353, 'brings': 4688, 'listening': 2354, 'stealings': 2355, 'shaken': 2356, 'thru': 2357, 'scrubbing': 4690, 'sponsor': 4691, 'majesty': 4692, 'sold': 1287, 'twerpy': 4693, 'exchanged': 4694, 'agh': 6419, 'canoodling': 4695, 'christmas': 695, 'cross-country': 4696, 'whisper': 1289, 'squeezed': 6094, 'precious': 1290, 'beanbag': 4697, 'appealing': 2358, 'heart': 574, 'midge': 1660, 'illegally': 4698, 'practice': 4699, 'sabermetrics': 2359, 'rats': 1661, 'jar': 1119, 'scum': 1663, 'darjeeling': 4700, 'truth': 909, 'crying': 2360, 'rubs': 4701, 'clearing': 4703, 'ref': 4704, 'cops': 2361, 'celeste': 4705, 'strongly': 4706, 'spit': 1664, 'disillusioned': 4707, 'creates': 4708, 'snotball': 5759, 'swooning': 4709, 'then': 92, 'dollar': 1291, 'chorus:': 5760, 'puke-holes': 4711, 'ding-a-ding-ding-ding-ding-ding-ding': 3299, 'dashes': 4712, 'tv_father:': 1665, "raggin'": 3826, 'clapping': 4900, 'twentieth': 5116, 'cruel': 2365, 'plain': 5305, 'releasing': 4715, 'blood-thirsty': 2366, 'touches': 4716, 'toss': 1666, 'days': 779, 'chipper': 4717, 'sacrifice': 4718, 'waylon_smithers:': 339, 'nope': 2367, 'vin': 4719, 'barbed': 4020, 'sponge:': 4721, 'homesick': 4722, 'wise': 4723, 'shindig': 4724, 'unlucky': 1667, 'briefly': 4725, 'sleeping': 4726, 'raises': 1414, 'audience:': 4727, 'mexican': 4728, 'compliments': 2634, "narratin'": 4729, 'trustworthy': 4730, 'announcer:': 969, 'ab': 4731, 'forty-seven': 4732, 'youngsters': 4733, 'expose': 4734, 'wake': 2369, 'fence': 4735, 'commission': 2370, 'accidents': 3830, 'pretend': 4737, 'ing': 4738, 'encore': 4739, "breakin'": 4740, 'outrageous': 4741, 'buzz': 3625, 'uncle': 910, 'trouble': 529, 'exhaust': 1843, 'whaddya': 3937, 'stern': 2372, 'two': 130, 'washouts': 4742, 'title:': 4743, 'mind': 700, 'who-o-oa': 1668, 'oblongata': 4488, 'tuborg': 4746, '35': 3179, 'chew': 4747, 'fry': 4748, 'barber': 4749, 'tv_announcer:': 2374, 'winner': 4750, "tv'll": 3418, 'dimly': 4751, 'forty-nine': 4752, 'loss': 2840, 'presentable': 4753, 'playhouse': 4754, 'sacrilicious': 6018, 'maiden': 5139, 'so-ng': 4755, 'ears': 4756, 'vulgar': 4757, 'feedbag': 5711, 'result': 4758, 'buying': 1670, 'schnapps': 2375, 'dna': 4759, 'cries': 1296, 'sugar-me-do': 4760, 'wars': 4761, "larry's": 4762, "doesn't": 530, 'go': 77, 'burns': 371, 'word': 780, 'forgot': 912, 'omit': 4763, 'sets': 3529, "askin'": 4764, 'familiar': 2377, 'africanized': 4765, 'column': 5906, 'streetcorner': 4766, 'mild': 4767, "choosin'": 4768, 'oak': 4769, 'prepared': 2305, 'terrible': 781, 'helping': 6433, 'schmoe': 4770, 'subscriptions': 4771, 'watt': 5042, 'attraction': 4772, 'presents': 4773, 'alone': 724, 'highest': 4774, 'done:': 4775, 'closer': 1671, 'stained-glass': 4776, 'city': 783, 'enthused': 4777, 'sanctuary': 4778, 'dilemma': 4779, 'not': 62, 'nfl_narrator:': 4780, 'excited': 454, 'special': 635, 'fatty': 4781, 'other': 244, 'finance': 4782, 'fletcherism': 4783, 'cure': 4336, 'chapel': 4784, 'avalanche': 4785, 'dinks': 4786, 'football': 4787, 'sudden': 2810, 'nos': 5776, 'poet': 2380, 'propose': 4790, "speakin'": 4791, "squeezin'": 4792, 'exception:': 4793, "cheerin'": 4794, 'taken': 1672, 'these': 188, 'alarm': 4795, 'entertainer': 5131, 'handle': 2381, 'cleaner': 2819, 'girlfriend': 1297, 'normal': 913, 'lumpa': 4797, 'wondering': 2307, 'flailing': 4799, 'address': 1298, 'return': 817, 'bites': 4801, 'shard': 4802, 'five-fifteen': 4803, 'this:': 4804, 'monroe': 4805, 'babe': 2384, "number's": 4806, 'handed': 4807, 'anonymous': 4808, 'gabriel:': 3180, 'ginger': 2385, 'right': 68, 'shill': 5132, 'martini': 5780, 'hooray': 4811, 'lights': 2386, 'scared': 784, 'knife': 2387, 'cheated': 4812, 'doll-baby': 4813, 'fury': 4814, 'healthier': 4815, 'run': 785, 'edge': 4816, 'groin': 4817, 'sarcastic': 1299, "playin'": 4818, 'three': 218, 'thighs': 2388, "coffee'll": 3735, 'dying': 1056, "can't": 91, 'kodos:': 4819, 'shores': 4592, 'grampa': 786, 'literature': 1673, 'register': 1674, 'tied': 4820, 'souped': 5135, 'pen': 6439, "o'": 4822, 'dollface': 4823, 'flashbacks': 4824, 'jack': 1057, 'bought': 1675, 'boxer:': 4825, "drexel's": 4826, 'wheeeee': 4827, 'penmanship': 4828, 'patented': 4829, 'eyeballs': 4830, 'chained': 4831, 'zeal': 4832, 'snatch': 5803, 'kick-ass': 5137, 'us': 146, 'fiiiiile': 4834, 'exultant': 4835, 'moe-ron': 4836, 'gear-head': 4837, 'bouquet': 4838, 'whaddaya': 1301, 'frankly': 1676, 'season': 1677, 'fine': 455, 'ow': 292, 'plus': 787, 'other_player:': 4839, 'scoffs': 4840, 'virtual': 2391, 'sea': 2392, 'ads': 4841, 'louisiana': 5513, 'such': 636, 'scruffy_blogger:': 4842, 'maman': 2730, 'ever': 153, 'alcohol': 493, 'hangout': 2912, 'tin': 4143, 'diet': 1678, 'pleading': 2394, 'walther_hotenhoffer:': 915, 'clams': 3196, 'lovely': 1914, 'dismissive': 2395, 'finish': 4848, 'sincerely': 4849, 'crank': 1679, 'ohhhh': 2973, 'telemarketing': 4851, 'mention': 1921, 'cop': 1058, 'drunkenly': 6265, 'whale': 4852, 'swishkabobs': 4853, 'sticker': 4854, 'showed': 4855, 'belches': 1302, 'hearse': 4856, 'assert': 4857, "murphy's": 6266, 'shareholder': 4858, 'faces': 4859, 'well-wisher': 6447, 'bubble': 2397, 'neighboreeno': 3022, 'mater': 4863, 'deadly': 2398, 'toys': 1455, 'brainiac': 4866, 'shakespeare': 2399, 'whup': 3043, 'super': 494, 'queen': 2400, 'dice': 5146, 'welcome': 788, 'results': 2401, 'th': 4870, "summer's": 4871, 'michael': 4872, "showin'": 2402, 'puzzled': 1059, 'blamed': 4873, 'danny': 3081, 'sued': 3858, 'teen': 6450, 'dessert': 2403, 'dealie': 4876, 'adjust': 4877, 'hunting': 2404, 'swell': 4878, 'flash-fry': 4879, 'perón': 4880, 'nantucket': 4881, 'designated': 1060, 'bounced': 4882, 'vengeance': 4883, 'crisis': 4884, "stayin'": 4885, 'wish-meat': 3204, 'sissy': 1957, 'raise': 2405, 'call': 219, 'pipe': 1061, 'said': 234, "burnin'": 4888, 'life': 178, 'proud': 1062, "dimwit's": 4889, 'albeit': 4890, 'heartless': 3133, 'puke': 1681, 'whispered': 4892, "dad's": 1303, 'forgotten': 6078, 'serum': 3192, 'procedure': 1304, 'came': 456, 'hounds': 6453, 'brainheaded': 4061, 'peter': 1682, 'yellow': 1305, 'while': 235, 'raining': 4896, 'charming': 4897, 'tearfully': 4898, 'zero': 2406, 'bathing': 2407, 'moved': 1683, 'lorre': 4513, 'top': 789, 'machine': 577, 'kidding': 1321, 'another': 236, 'modest': 5301, 'quimby': 4902, 'mel': 1491, 'marge': 117, 'smoothly': 2336, 'haws': 4903, 'mahatma': 4904, 'frog': 2409, 'whoa': 205, 'late': 637, 'pip': 4905, 'mock': 1684, 'though:': 4906, 'flips': 1306, 'president': 701, 'kissed': 4907, 'adventure': 6758, 'band': 1307, 'student': 4908, 'paints': 4909, 'lifetime': 4910, "feelin's": 4911, "barney's": 1685, 'miles': 2008, 'stayed': 1686, "comin'": 372, 'mall': 2411, 'prompting': 4913, 'girl-bart': 4914, 'wolfcastle': 4915, 'wikipedia': 4916, 'suspended': 4917, 'santeria': 4918, 'show': 274, 'online': 4919, 'sucker': 4920, 'cheerier': 3869, 'stir': 2412, '6': 2413, 'flophouse': 3415, 'doom': 4923, 'delts': 4924, 'jockey': 2414, 'thrust': 4925, 'pleasure': 2415, 'plug': 4926, 'drop': 1797, 'taxes': 6571, "smokin'": 6463, 'hooters': 5163, 'super-tough': 4929, 'faded': 4930, 'marshmallow': 4931, 'gibson': 4932, 'entrance': 4933, 'terror': 4934, 'dennis_conroy:': 1308, 'wear': 1309, 'aquafresh': 4935, 'defected': 5796, 'pickled': 1218, 'ivory': 4936, 'terrified': 1690, 'rolls': 4937, 'brassiest': 2416, "monroe's": 2537, 'general': 1691, 'dollars': 388, 'spent': 2417, 'disappointed': 966, 'beef': 4939, 'stole': 1692, 'friend:': 4940, 'model': 4941, 'step': 1693, 'na': 389, 'spinning': 1694, 'wounds': 4942, 'face-macer': 6466, 'deliberate': 2419, '_marvin_monroe:': 4943, 'dirt': 1572, 'ton': 4945, "professor's": 4946, 'sensible': 4947, 'eaters': 4948, "bettin'": 4949, 'worse': 578, 'facebook': 4950, 'opportunity': 1310, 'sick': 916, 'thirty-thousand': 4952, 'always': 285, 'teenage': 1695, 'lead': 4953, 'three-man': 4954, 'new_health_inspector:': 1311, '3rd_voice:': 4955, 'defensive': 1696, 'background': 3704, "patrick's": 2423, 'stab': 4957, 'zone': 4958, 'france': 1364, 'looking': 224, 'last': 206, 'mill': 4960, 'medieval': 4961, 'awed': 2424, 'fad': 3640, 'ignorant': 4963, 'shades': 5804, "s'okay": 4965, 'heads': 1697, 'world': 275, 'hurting': 4966, 'newsweek': 4967, 'bupkus': 4968, 'rug': 4969, 'tofu': 2425, 'heroism': 4970, 'college': 1134, 'lowering': 2426, 'loyal': 4972, 'wolfe': 2427, 'modern': 1698, 'iranian': 4973, "i'm-so-stupid": 1063, 'could': 97, 'letter': 702, 'nobel': 1699, 'partially': 6471, 'poem': 2428, 'choices': 4975, 'playoff': 5171, 'coaster': 1064, 'rueful': 5172, 'family': 340, 'listened': 4978, 'crow': 5935, 'murdered': 4526, "bartender's": 2430, 'remember': 304, 'painting': 2431, 'chunk': 4979, 'inquiries': 4980, 'stolen': 4981, 'jewelry': 4982, 'vodka': 2432, 'rules': 2433, '4x4': 4983, 'quite': 1312, 'bedtime': 4984, 'issuing': 3797, 'boxing_announcer:': 2434, 'burger': 4986, 'plenty': 2435, 'rumor': 4702, 'easily': 4987, 'respect': 1314, 'killer': 3828, 'homers': 2436, 'even': 161, 'starlets': 5914, 'carmichael': 4989, 'bon': 4990, 'population': 5809, 'hook': 4991, 'head-gunk': 4992, 'minors': 4993, 'crotch': 6764, 'buzziness': 4538, 'fills': 4994, 'bronco': 4995, 'cards': 1700, 'months': 1315, 'looks': 238, 'frozen': 5516, 'kansas': 5005, 'suspiciously': 4996, 'how': 70, 'enterprising': 4997, 'zinged': 3928, 'apulina': 4998, 'wiener': 1702, 'mrs': 791, 'prefer': 2438, 'beverage': 4999, 'frustrated': 1316, 'mmmm': 579, 'crystal': 4532, 'truck': 1065, 'elizabeth': 5001, 'doug:': 2439, 'officer': 5002, 'trail': 5004, 'secrets': 1317, 'dentist': 4314, 'highball': 4001, 'flying': 2440, 'straining': 2441, 'actress': 5872, 'officials': 5007, 'studio': 2126, 'deeper': 5010, 'ultimate': 4017, 'look': 102, 'towed': 2442, 'quotes': 2443, 'point': 639, 'sec': 1703, 'unbelievable': 5013, 'moonshine': 6480, 'pasta': 5181, 'erasers': 5015, 'handing': 2444, 'words': 792, 'incredible': 5016, 'application': 5017, 'annus': 5018, "maggie's": 2446, 'booze-bags': 5020, 'warily': 2447, 'strong': 917, 'manatee': 5021, 'delicious': 1486, "'kay-zugg'": 5023, 'wagering': 4086, 'unsanitary': 4093, 'degradation': 1974, 'hemorrhage-amundo': 5026, 'election': 1705, "lisa's": 1066, 'smiles': 5027, 'beached': 5028, 'bulked': 5029, 'poulet': 5030, 'steak': 2450, "ragin'": 5031, 'awww': 2451, 'unsafe': 5820, "children's": 2452, 'enemy': 1706, 'broncos': 3227, 'mechanical': 1707, 'under': 407, 'barkeeps': 5033, 'worried': 568, 'item': 2948, 'dammit': 5034, 'oww': 5035, 'covers': 1709, '8': 5680, 'obsessive-compulsive': 5036, 'shame': 5252, 'coney': 1710, 'nelson': 5038, 'maya:': 892, 'that': 18, 'investment': 3229, 'cleaning': 5040, 'gotta': 118, 'through': 312, 'shaved': 5041, 'kill': 408, 'wants': 352, 'teenage_homer:': 2228, '7g': 5044, 'monkeyshines': 5045, 'ripcord': 2233, 'smells': 858, 'waterfront': 5046, 'felony': 5047, 'environment': 5048, 'travel': 5049, "nick's": 3893, 'can': 64, 'guff': 5051, '3': 5052, "son's": 5053, 'spit-backs': 5054, 'advertising': 5056, 'outlive': 5057, 'bar-boy': 1869, 'story': 794, 'reliable': 2454, 'swine': 5058, 'sells': 5059, 'gutenberg': 5061, 'monster': 1319, 'tsk': 641, 'thawing': 4843, 'hear': 325, 'worldly': 6464, 'throw': 703, 'occasion': 5062, 'voicemail': 5063, 'plane': 2919, 'sprawl': 6491, 'viva': 4355, 'showered': 6500, 'carnival': 4384, 'deli': 5066, 'marvin': 1711, 'wrap': 5068, '&': 1712, 'ten': 642, "shouldn't": 643, 'jay_leno:': 5069, 'pep': 5070, 'other_book_club_member:': 5071, 'products': 2456, 'ratted': 6613, 'shack': 5072, 'offense': 5073, 'bucks': 390, 'missing': 5074, 'the': 5, "thinkin'": 5075, 'passion': 2330, 'ha': 795, 'freed': 5831, 'handoff': 5191, 'witches': 5079, 'western': 5080, 'bindle': 5081, 'incredulous': 1713, 'marry': 5082, 'recruiter': 4442, 'waylon': 2457, 'insults': 5084, 'advance': 2458, 'ronstadt': 5085, 'noooooooooo': 5086, 'murdoch': 5087, 'hmmm': 1714, 'stinks': 2460, 'victorious': 5835, "doctor's": 2908, 'expect': 1715, 'de-scramble': 5088, 'wolverines': 5089, 'village': 2461, 'since': 276, 'disturbing': 6289, 'young_homer:': 937, 'slab': 5091, 'gang': 2462, 'dry': 796, 'rainier': 5092, 'he': 76, 'explain': 2463, 'vomit': 1643, 'brains': 1716, 'bourbon': 2464, "poisonin'": 5094, 'whose': 1717, 'belt': 2465, 'susie-q': 5095, 'four-drink': 5096, 'crayola': 5097, 'wistful': 5098, 'extremely': 2466, 'caholic': 5100, 'gr-aargh': 5101, 'wobbly': 5102, 'pancakes': 5103, 'england': 5104, 'miss': 704, 'kicks': 5106, 'donuts': 5107, "hadn't": 2342, 'sings': 286, 'yourse': 5108, 'delightful': 5109, 'ran': 1718, 'eighty-six': 5110, 'turlet': 5060, 'imagine': 1719, 'dennis_kucinich:': 2468, 'young_barfly:': 6501, 'underpants': 2469, 'dressed': 1720, 'badge': 5113, 'dazed': 5114, 'elaborate': 5115, 'lloyd': 2364, 'sequel': 5117, 'friend': 194, 'bell': 5118, 'ken:': 1323, 'infatuation': 5119, "something's": 5121, 'ho-ly': 5123, 'whatever': 580, 'wins': 2470, 'telegraph': 5125, 'onions': 2312, 'eve': 5126, 'jelly': 5127, 'statistician': 4394, "'round": 5129, 'hold': 391, 'she-pu': 6504, 'peanut': 2471, 'reserve': 2472, 'clenched': 6573, 'forgiven': 4796, "havin'": 1721, 'al_gore:': 1722, 'scary': 2473, 'brought': 914, 'way:': 5133, 'borrow': 2474, 'inflated': 2475, 'bowling': 1723, 'sport': 2476, 'ripping': 5134, 'awkward': 1300, 'clown': 1067, 'stop': 344, 'ehhhhhhhhh': 4833, 'fiction': 5138, 'sat-is-fac-tion': 3433, 'browns': 6236, 'indifference': 4846, 'perfected': 5140, 'stepped': 5141, 'cuff': 5142, 'stupidly': 5143, "tap-pullin'": 5144, 'something': 147, 'collette:': 797, 'yammering': 5145, 'remembers': 4869, 'and/or': 5147, 'aiden': 5842, 'giving': 919, "cuckold's": 5148, 'handler': 5150, "drinkin'": 531, 'write': 920, 'microphone': 5151, 'washer': 5152, 'sunk': 5153, 'kissing': 1724, 'americans': 5154, 'son-of-a': 5155, 'nauseous': 3464, 'black': 801, 'dracula': 5158, '100': 2821, 'resist': 3247, 'invisible': 5161, 'mt': 5162, 'diablo': 4928, 'twenty-six': 5164, 'science': 3248, 'blob': 5166, 'crossed': 2477, 'sisters': 1725, 'important': 2813, 'youuu': 5167, 'arrange': 5168, 'cuz': 5169, 'hardhat': 5170, 'ironed': 2373, 'sperm': 4976, 'ball': 798, "games'd": 4977, 'copy': 2478, 'curds': 2479, 'annoyed': 632, 'shoes': 5174, "eatin'": 5175, 'costume': 2480, "listenin'": 4555, 'hi': 457, 'skills': 5178, 'himself': 799, 'frenchman': 5014, 'deep': 1324, "fans'll": 5182, 'researching': 5183, 'than': 182, 'alls': 5184, 'cola': 2693, 'fish': 1069, 'act': 1070, 'disguised': 3914, 'realized': 2482, 'reynolds': 2483, 'windshield': 6507, 'trivia': 5189, 'supreme': 6255, 'refreshment': 5190, 'typed': 5078, 'anti-crime': 5192, 'judge_snyder:': 2662, 'feat': 5193, 'cheese': 2485, 'bonfire': 5850, 'total': 6589, 'bully': 2325, 'intrigued': 800, 'sometimes': 2486, 'director': 2487, 'carve': 2488, 'deliberately': 5194, 'cheap': 1726, 'shaggy': 2489, "poundin'": 5195, 'understood': 5128, 'chief': 409, 'bartenders': 2490, 'exclusive:': 5197, 'remaining': 5198, 'warn': 2822, 'mortal': 5200, 'hits': 1325, 'restaurant': 1326, 'moustache': 5201, 'radioactive': 5157, 'corn': 5202, 'confidential': 5203, 'twelve-step': 5204, 'cover': 1327, 'engine': 5205, 'slobbo': 5180, 'skirt': 2491, 'cheering': 5206, "wouldn't-a": 5207, 'dig': 5208, 'string': 5209, 'businessman_#1:': 2492, 'fake': 5210, 'protecting': 5769, "c'mon": 342, 'snitch': 5212, "tryin'": 1073, 'rope': 1074, 'egg': 1200, 'manipulation': 5213, 'managed': 5214, 'harvard': 5215, 'papa': 5216, 'hyper-credits': 5217, '_kissingher:': 1727, 'oooo': 5218, 'bite': 1728, 'gosh': 2493, 'easier': 2494, "what's": 148, 'gum': 2495, 'wrecking': 5219, 'carefully': 5220, 'binoculars': 5221, 'snort': 1729, 'fuhgetaboutit': 5222, 'starting': 1730, 'gallon': 5223, 'round': 820, 'bobo': 5224, 'dateline': 5225, 'share': 1731, 'merchants': 5226, 'grand': 1075, 'wait': 158, 'design': 5325, 'suit': 1076, 'winces': 5227, 'choose': 5228, 'twenty-nine': 5229, 'vicious': 5230, 'coughs': 5232, 'taylor': 5233, 'midge:': 5234, 'breakdown': 5235, 'brine': 5236, 'abusive': 5237, 'bar': 111, 'question_mark': 10, 'windelle': 5238, 'geez': 532, 'predictable': 5239, 'hey': 29, 'souvenir': 5240, 'disappointment': 5241, 'decide': 2531, 'hundreds': 5243, 'fleabag': 5244, 'ali': 3924, 'luxury': 5246, "neat's-foot": 5247, 'convinced': 5417, 'regretted': 5248, 'sister': 1342, 'endorsement': 5250, 'haircuts': 5251, 'guinea': 4509, 'tolerance': 5254, 'designer': 5255, 'breathalyzer': 5861, 'ale': 2331, 'alcoholic': 2498, 'daddy': 1078, "aristotle's": 5253, 'rome': 6520, 'paid': 2500, 'operation': 1732, 'almost': 1328, 'alibi': 5258, 'positive': 2501, 'aged': 5259, 'send': 802, 'valley': 5260, 'swig': 5261, 'scent': 5262, 'mount': 2502, 'fired': 5264, 'nerve': 2503, 'aggie': 5265, 'grinch': 5266, 'suddenly': 1079, 'driving': 1091, 'leave': 410, 'sports_announcer:': 2505, 'underbridge': 2506, 'ivana': 1329, 'nineteen': 1080, 'hootie': 5267, 'drove': 5268, 'senator': 1330, 'greatly': 5269, 'cajun': 5270, 'jerky': 2507, 'lot': 305, 'as': 89, 'stored': 5271, 'toward': 1733, 'knit': 5272, 'wound': 5273, 'surgery': 1081, 'myself': 353, 'tasty': 5274, 'admitting': 2508, 'delivery': 2509, 'cat': 2510, 'dana_scully:': 5276, 'dog': 458, 'help': 195, 'up-bup-bup': 5277, 'latin': 2511, "must've": 5278, 'wenceslas': 5279, 'mini-beret': 5282, 'asses': 5283, 'higher': 1734, 'benjamin': 5284, 'murderously': 5285, 'glum': 1735, 'studied': 3265, 'proper': 5287, 'aggravazes': 5288, 'meditative': 5289, 'depression': 5290, 'honey': 921, 'remembered': 2513, 'skunk': 5291, 'pop': 1082, 'candy': 2514, 'moolah-stealing': 3369, 'socialize': 5293, 'intoxicated': 5294, 'packets': 5295, 'prejudice': 5296, 'sketch': 5297, 'elect': 5298, 'prizefighters': 5299, 'full-bodied': 5870, 'practically': 6655, 'lindsay': 5300, 'pal': 433, 'indecipherable': 5302, 'low-life': 5303, 'blokes': 5304, 'faced': 5306, 'minutes': 707, 'bart_simpson:': 149, 'rash': 5307, 'hustle': 5308, 'mindless': 6526, 'signed': 5310, 'most': 411, "you've": 189, 'versus': 6527, "g'ahead": 5314, 'blackjack': 5315, 'known': 2515, 'mint': 5316, 'will': 157, 'thanksgiving': 2516, "fryer's": 5317, 'softer': 5318, 'bugging': 2645, 'depressed': 5319, 'king': 708, 'casting': 5320, 'shhh': 5321, 'sheet': 5322, 'yard': 1333, 'julienne': 5323, "treatin'": 5324, 'freeze': 2497, 'usual': 5327, 'jesus': 1736, 'wowww': 5329, "tatum'll": 5330, 'cough': 1737, 'finding': 1240, 'gay': 1083, 'senators:': 5332, 'tongue': 1084, 'b': 2517, 'bursts': 5333, 'hiring': 5334, 'nelson_muntz:': 5335, 'longest': 5336, 'schemes': 5337, 'recorded': 5338, 'composer': 5339, 'arts': 4585, 'worry': 434, 'uh-huh': 709, 'surgeonnn': 5340, 'barkeep': 2220, 'darts': 1738, 'squadron': 3269, 'contemporary': 5343, 'lowers': 878, 'tv_wife:': 1085, 'renee': 1334, 'lenses': 5345, 'work': 245, 'hang': 803, 'hugh:': 1335, 'arm-pittish': 6512, 'skin': 2518, 'a-b-': 5346, 'running': 1086, 'indifferent': 5348, 'never': 93, 'chicken': 4588, 'successful': 2519, 'ducked': 5349, 'jovial': 5350, "didn't": 169, 'problem': 373, 'state': 922, 'congoleum': 4865, 'tiny': 2520, 'die': 459, "who'da": 5352, 'unfair': 5353, 'weak': 1739, 'syrup': 2521, 'necessary': 3667, 'laney_fontaine:': 2522, 'dating': 2690, 'booking': 5355, 'perverted': 5356, 'balls': 2523, 'strokkur': 5358, 'flower': 1337, 'when-i-get-a-hold-of-you': 5359, 'him': 99, 'talk': 306, 'pointy': 5360, "d'ya": 5361, "lovers'": 5362, 'sneaky': 2524, "pope's": 2448, 'scanning': 5364, 'cab': 5365, 'improv': 5366, "weren't": 2525, 'fight': 496, 'depressant': 5368, 'direction': 6484, 'nevada': 5369, 'annie': 5370, 'bash': 2526, 'punishment': 5371, 'led': 5372, 'shopping': 5373, 'buffet': 5374, 'aggravated': 2527, 'indigenous': 5375, 'sell': 412, 'surprised': 497, "tinklin'": 6535, 'four-star': 5376, 'ping-pong': 5377, 'device': 5378, 'nigel_bakerbutcher:': 923, 'moon-bounce': 5379, 'shall': 947, 'killed': 1741, ':': 583, 'displeased': 5380, 'supervising': 5381, 'men:': 1742, 'cadillac': 5382, 'occurs': 5383, 'cursed': 5384, 'betty:': 1338, "everyone's": 1339, 'whining': 5385, 'pit': 1340, 'refund': 2528, 'stalin': 5386, 'fourth': 1743, 'e': 5387, 'roz': 5388, 'gregor': 6194, 'get': 55, '/mr': 5389, 'goodwill': 5390, 'gunk': 5391, 'düff': 5392, 'carl:': 2751, 'beer': 81, 'sodas': 2530, 'heaving': 5394, 'scornfully': 5395, 'clientele': 1744, 'actors': 2313, 'enhance': 5396, 'catty': 5397, 'fumes': 1745, 'limits': 5242, 'selma': 1087, 'bones': 5398, 'inspire': 2532, 'weather': 5399, "cont'd:": 5400, 'patterns': 2533, 'reminds': 1746, 'huh': 165, 'stood': 5401, 'private': 646, 'winnings': 2759, 'marmaduke': 2534, 'counting': 1088, 'center': 1004, 'eyed': 5404, 'sad': 435, 'thought': 261, 'fill': 924, 'trick': 2776, 'sorry': 150, 'michelin': 5407, 'chili': 5408, 'drummer': 5409, 'ironic': 5410, 'worked': 1747, 'cut': 533, 'nickels': 2784, 'enthusiastically': 5891, 'screams': 1748, 'depressing': 6356, 'whispers': 5413, 'home': 196, 'difficult': 2535, 'nemo': 4545, 'weary': 2536, "ridin'": 1750, 'extra': 1751, 'poured': 5414, 'pas': 5415, 'lighter': 5416, 'sympathizer': 5418, 'sternly': 5419, 'wealthy': 5420, 'drug': 1341, 'complete': 1752, 'sentimonies': 5421, 'astonishment': 5249, 'started': 1413, 'flat': 5423, 'noises': 498, 'mistake': 1753, 'leg': 1754, 'perch': 3713, 'know': 65, 'donor': 5426, 'happened': 326, 'girl': 277, 'wolveriskey': 5427, 'ding-a-ding-ding-a-ding-ding': 5428, 'west': 5429, 'unjustly': 5430, 'cuddling': 5431, 'normals': 5432, 'granted': 2538, 'depending': 5433, 'grampa_simpson:': 354, 'cerebral': 4605, 'paint': 804, 'tears': 1755, 'reading:': 5435, 'playing': 630, 'clincher': 5436, 'ohh': 2540, 'krusty': 499, 'waist': 5437, 'railroad': 2541, 'pictured': 5438, 'medicine': 2542, 'rosey': 6106, "wino's": 5439, 'tow-talitarian': 5440, 'charged': 5441, 'distinct': 5442, 'gruesome': 4609, 'sober': 1089, 'read': 512, 'doooown': 5445, 'ingested': 5446, "you'll": 293, 'worldview': 3999, 'culkin': 5448, 'legs': 1372, 'intention': 5449, 'pig': 694, 'seymour': 534, 'eyeball': 2543, 'gluten': 5450, 'give': 162, 'agent': 1343, 'sound': 387, 'percent': 2544, "valentine's": 1344, 'movies': 1345, 'gift:': 5452, 'herself': 5453, 'frat': 5454, 'sometime': 1756, 'disappeared': 2545, 'occurrence': 5455, 'gol-dangit': 5456, 'fistiana': 5877, 'side:': 5457, 'bubbles': 2499, 'rugged': 5458, 'accepting': 5459, 'taps': 2546, 'due': 2547, 'kool': 5460, 'list': 1757, 'magnanimous': 5461, "'cept": 5462, 'defiantly': 5463, 'remembering': 2548, 'liser': 5464, 'hammy': 6669, 'ninth': 3291, 'full-time': 6528, 'comeback': 5649, 'butts': 805, 'urban': 4552, 'bowl': 648, 'signal': 5466, 'eyes': 460, 'tragedy': 5467, 'offended': 1090, 'huge': 806, 'wood': 5468, 'chic': 5469, 'gentleman:': 2549, 'discussing': 2550, 'bushes': 5470, "snappin'": 5471, "countin'": 2551, 'sniffing': 5472, 'hiya': 1760, 'sense': 1244, 'effigy': 2552, 'krusty_the_clown:': 294, 'diving': 5473, 'declan': 5474, 'superhero': 2553, 'advantage': 2554, 'patron_#2:': 6552, 'loneliness': 5475, 'deal': 729, 'crazy': 564, 'capitalists': 5477, 'castle': 1346, 'happen': 535, 'horrible': 807, 'brockelstein': 5478, 'beaumont': 5479, 'ivanna': 6117, 'his': 88, 'feminist': 5480, "coaster's": 5481, 'dawning': 5482, 'kentucky': 5483, 'period': 2974, 'filed': 5485, 'warning': 5486, 'terrific': 2556, 'either': 647, 'whoa-ho': 3189, 'joe': 622, 'relieved': 2557, 'till': 443, 'gulliver_dark:': 5490, 'site': 5491, 'indeed': 5492, 'did': 113, 'kind': 327, 'hafta': 6553, 'evergreen': 5493, 'open-casket': 5494, 'jets': 2621, 'bumped': 5495, 'baritone': 2558, 'stick': 605, 'lobster-politans': 5496, 'defeated': 2560, 'earrings': 5498, 'decide:': 5499, 'blobbo': 5500, 'attached': 5501, 'pass': 925, 'bachelor': 5502, 'protesters': 5503, 'gunter': 5504, 'outta': 328, 'formico': 2561, 'renovations': 3300, 'civic': 2562, 'century': 2563, 'pickles': 5506, 'crooks': 5507, 'finished': 1762, 'nahasapeemapetilon': 3532, 'emporium': 5509, 'bald': 1347, 'tenuous': 3104, 'closing': 1348, 'time': 115, 'glass': 313, 'heart-broken': 5512, 'arrested:': 3943, 'dryer': 1956, 'snorts': 2019, 'applesauce': 5517, 'pleasant': 1958, 'wiping': 6556, 'camp': 2504, 'bottles': 2564, 'says': 329, 'mister': 926, 'kickoff': 5520, 'lend': 5521, 'fl': 5522, 'willy': 2339, 'giggles': 2327, 'squeal': 5524, 'hero': 1349, 'strictly': 5525, 'funeral': 5526, 'loan': 1763, 'poison': 5527, 'placed': 5528, 'followed': 5280, 'tanking': 3305, 'am': 127, 'war': 584, 'minister': 1983, 'strawberry': 3230, 'everyone': 413, 'beans': 5909, "'now": 5532, 'politician': 5533, 'ask': 355, 'guy': 128, 'grammy': 5534, 'harvey': 3253, 'whenever': 2567, 'neat': 2568, 'dearest': 2569, 'mayor_joe_quimby:': 711, 'cheat': 2570, 'bets': 2571, 'bleak': 3283, 'knowledge': 5451, 'so': 42, 'aer': 5536, 'ought': 5537, 'pockets': 1765, 'manfred': 5538, 'kings': 5539, 'pity': 1093, 'language': 5540, 'talked': 2572, "this'll": 5541, 'aerosmith': 2573, 'ze-ro': 5542, 'line': 1208, "calf's": 5544, 'tapestry': 5545, 'disguise': 5546, 'dan': 2574, 'michael_stipe:': 5547, 'kemi:': 400, 'asks': 5548, 'sleigh-horses': 5549, 'bartender': 536, 'steely-eyed': 5550, 'bee': 1001, 'eww': 3377, 'smuggled': 3380, 'shreda': 5553, 'praise': 5554, 'salt': 2575, 'lighting': 2576, 'unhook': 5555, "jimbo's_dad:": 5556, 'finale': 5557, 'links': 5558, 'flea:': 6279, 'every': 239, 'produce': 5559, 'view': 5560, 'cheers': 1767, 'affects': 5561, 'buffalo': 1214, 'charm': 2577, 'lurks': 3340, 'enemies': 1653, 'quality': 2580, 'yew': 5563, 'today/': 6566, 'lease': 5564, 'banned': 5565, 'civil': 5566, 'champion': 5567, 'ass': 712, 'attractive': 5568, 'burps': 1221, 'brewed': 2261, 'employees': 3483, 'brakes': 6567, 'bartholomé:': 5571, 'smallest': 2581, 'had': 141, 'movie': 1094, "that'd": 3991, 'then:': 1768, 'modestly': 5574, 'bulletin': 5575, 'average-looking': 5576, 'citizens': 3312, 'fork': 1769, 'anniversary': 1770, 'mary': 5577, 'marvelous': 5578, 'vengeful': 5918, 'forbidden': 2583, 'chuckles': 314, 'keys': 585, 'lady': 586, 'relaxing': 5579, 'calculate': 2584, 'grunts': 1771, 'smelling': 5580, 'ideal': 5581, 'conclude': 5582, 'memory': 2600, 'heatherton': 5584, 'ees': 5585, 'punching': 5586, 'deserve': 2585, 'portfolium': 5587, 'paris': 1878, 'driveability': 5588, 'without:': 5589, 'cage': 5627, 'attractive_woman_#1:': 5590, 'her': 112, 'catch-phrase': 5591, 'purveyor': 5592, 'wordloaf': 2586, 'ruined': 1350, 'gasps': 649, 'gestated': 5593, 'dealer': 5594, 'drive': 500, 'glen:': 1152, 'hosting': 5596, 'grain': 5597, 'surprising': 5598, 'lists': 5599, 'supplying': 5600, 'subject': 1772, '_montgomery_burns:': 343, 'accident': 810, "singin'": 5601, 'seriously': 2588, 'celebration': 5602, 'specified': 5603, 'intense': 2590, 'muscles': 5604, 'labor': 5605, 'catching': 2591, 'country': 5606, 'nigerian': 2592, 'boxer': 2593, 'elmer': 5607, 'achebe': 5608, 'homer_doubles:': 5609, 'sunny': 5610, 'lie': 1336, 'vacations': 5611, 'kid': 291, 'faulkner': 5613, 'steampunk': 5614, 'chubby': 5615, 'collapse': 3067, 'caught': 1096, 'troy': 2006, 'service': 1097, 'index': 3758, 'tickets': 5617, 'fonda': 5618, 'gums': 2595, 'inspector': 1773, 'pfft': 1774, 'fat_tony:': 877, 'seven': 501, 'locklear': 5791, 'heave-ho': 5620, 'agree': 2596, 'fears': 5621, 'begins': 2597, 'foot': 1564, 'nurse': 5623, 'lenford': 5624, 'runners': 5625, 'nooo': 5626, 'unavailable': 6662, 'dispenser': 2897, 'eggs': 811, 'six': 523, 'freaky': 5628, 'wade_boggs:': 2598, 'sinkhole': 5629, "other's": 2599, 'sanitary': 5630, 'judgments': 3845, 'goodnight': 713, 'crumble': 2601, 'nose': 1352, 'dogs': 5631, 'swimmers': 3882, 'overstressed': 6577, 'suicide': 1098, 'sweetie': 5633, 'hateful': 5634, 'sponsoring': 5635, 'lennyy': 5636, 'torn': 2602, 'mortgage': 2603, 'reads': 1776, 'puts': 2604, 'pint': 2605, 'blimp': 5637, 'plastered': 5638, 'acronyms': 3916, 'stamp': 5639, 'carolina': 5640, 'curse': 5641, 'newspaper': 5642, 'van': 5643, "lady's": 5644, 'suing': 2606, 'puke-pail': 5645, 'pajamas': 5646, "disrobin'": 5648, 'transylvania': 5093, 'read:': 5650, 'pre-columbian': 5651, 'anger': 5652, 'nards': 1687, 'twins': 1354, 'backing': 5653, 'methinks': 5654, 'ticket': 714, 'upbeat': 1248, 'confession': 5656, 'connor': 5657, 'grains': 4496, 'bees': 1293, 'sickly': 5659, 'pad': 2608, 'discuss': 2172, 'telephone': 5647, 'rag': 1249, 'kidney': 2610, 'getcha': 5661, 'old-time': 6582, 'club': 1100, 'chipped': 5663, "we'd": 929, 'hooch': 5664, 'popping': 5665, 'kim_basinger:': 5666, 'grim': 1355, 'booze': 461, 'championship': 1356, 'soup': 2611, '21': 5667, 'army': 1778, 'woo-hoo': 1779, 'half-beer': 5668, 'nine': 812, 'lift': 5669, 'broadway': 2612, "marge's": 2613, 'encores': 5670, 'larson': 5671, 'wrote': 1101, 'gag': 1780, 'lonely': 1781, 'pontiff': 5672, 'moe-heads': 5819, 'conversation': 2614, 'off': 126, 'casual': 1782, 'lifts': 3381, 'drinks': 627, 'feeling': 462, 'leans': 1578, 'careful': 1868, 'hiding': 5673, 'runt': 5674, 'reckless': 5675, 'amazed': 813, 'lecture': 6175, 'shock': 2616, 'jobs': 2617, 'roomy': 2618, 'manjula': 2007, 'there': 80, 'however': 5676, 'coal': 5677, 'bags': 2619, 'amber_dempsey:': 6397, 'para': 5678, 'rat': 938, 'called': 537, 'spits': 6227, 'grub': 5616, 'haw': 2620, 'double': 1783, 'broken:': 5681, 'saving': 5682, 'flaking': 5684, "y'see": 5008, 'pawed': 5685, 'splash': 2996, 'ford': 5686, 'rainforest': 5687, 'them': 240, 'mull': 5688, 'rods': 5689, 'morning-after': 6588, 'take-back': 5691, 'feel': 250, 'moonnnnnnnn': 5692, 'unfortunately': 2622, 'dance': 814, 'holidays': 5693, 'any': 211, 'minute': 279, 'caper': 5694, 'youse': 715, "queen's": 5695, 'hot': 587, 'candidate': 2624, 'lobster-based': 5697, 'presided': 5698, 'photographer': 4334, 'troy_mcclure:': 2625, "battin'": 4620, 'drunkening': 5700, 'j': 5701, 'flew': 6621, '||dash||': 66, 'old': 197, 'morose': 2626, 'owned': 5702, 'booger': 5703, "haven't": 538, 'log': 5704, 'narrator:': 815, 'chug-a-lug': 5705, 'takeaway': 5706, "leavin'": 5707, 'mason': 6774, 'triangle': 5708, 'x-men': 4414, 'ringing': 2627, "scammin'": 5709, 'waters': 5710, 'cologne': 4429, 'tips': 1784, 'simultaneous': 5712, "payin'": 2295, 'virility': 5714, 'talking': 588, 'ineffective': 5715, 'disaster': 5716, 'skins': 5941, 'inherent': 5717, 'wishing': 5718, 'along': 930, 'settled': 5719, 'chief_wiggum:': 160, 'ninety-eight': 5187, 'mansions': 5721, 'stand': 589, 'aside': 1701, 'makes': 414, 'tom': 1359, 'mop': 2009, 'pain': 1360, 'child': 1785, 'upon': 1786, 'everybody': 259, 'forty': 1361, 'favorite': 816, 'à': 1362, 'eightball': 5723, 'dum-dum': 4514, 'art': 5725, 'judge': 2630, 'coupon': 5726, 'rainbows': 5727, "don't": 46, 'forbids': 5728, 'helllp': 2631, 'lanes': 5729, 'applicant': 5730, 'compels': 5731, 'glitterati': 5732, 'conditioner': 2632, 'affection': 5733, 'sir': 489, 'were': 179, 'police': 650, 'dexterous': 3955, 'gimme': 415, 'fbi': 1363, 'mural': 5736, 'ideas': 3921, 'jägermeister': 5739, 'error': 5740, 'teacher': 2633, '_babcock:': 1787, 'unexplained': 5741, 'jacksons': 4018, 'zack': 6597, 'jigger': 5743, 'montrer': 5744, 'sour': 4662, 'ruin': 1766, 'built': 2635, 'carney': 5746, 'ugliest': 2851, "mtv's": 5748, 'created': 5749, 'manboobs': 5750, 'charges': 4667, 'buddha': 5752, 'glyco-load': 5753, 'have': 47, 'soaking': 6658, "town's": 2636, 'tribute': 5754, 'soot': 5755, 'promotion': 5756, 'notorious': 5757, 'all-star': 2637, 'johnny_carson:': 5758, 'satisfaction': 2362, 'mccarthy': 4572, "friend's": 4710, "'n'": 5761, 'eaten': 5762, 'measurements': 2638, 'painless': 5763, 'against': 1105, "somethin'": 539, 'crowds': 5764, 'pulitzer': 5765, 'weirder': 2639, 'bail': 5766, 'andrew': 5767, 'charge': 932, 'risqué': 5768, 'whole': 576, 'most:': 5770, 'east': 5771, 'awkwardly': 5772, 'fritz:': 1788, 'befriend': 5773, 'spoken': 1789, 'camera': 463, 'about': 74, 'part-time': 5775, 'changes': 2429, 'hers': 4789, 'braun:': 5777, 'awwww': 2640, 'mayan': 5778, 'reality': 5779, 'espn': 4800, 'which': 295, 'dizer': 4810, 'times': 651, 'certainly': 5781, 'coincidentally': 3347, 'strategy': 2641, 'nonchalantly': 5782, 'reader': 5783, 'jacques': 716, 'celebrities': 1790, 'reserved': 5784, 'satisfied': 2642, '-ry': 5785, 'occasional': 5786, 'fictional': 2644, 'already': 540, 'presumir': 5787, 'thought_bubble_lenny:': 5788, 'chapstick': 5185, 'author': 5790, 'shaking': 1072, 'aboard': 5792, 'lewis': 6607, 'jerking': 5793, 'body': 1331, 'girls': 653, 'joking': 2646, 'tha': 3855, 'turns': 541, 'told': 464, 'smart': 2647, 'video': 1424, 'lise:': 2649, 'event': 5794, 'seek': 2650, 'drinker': 4025, 'bachelorhood': 6606, 'knowing': 1688, 'customers-slash-only': 3406, 'threatening': 1791, 'butt': 654, 'grants': 5797, 'marched': 5798, 'life-partner': 5799, 'assent': 5800, 'stengel': 5801, 'trashed': 5802, 'inning': 4959, 'stuck': 2652, 'pepto-bismol': 3592, 'growing': 4964, 'music': 933, 'lips': 1365, 'starla:': 5805, 'sloppy': 5806, 'chosen': 5807, 'decadent': 5808, 'glad': 790, 'lizard': 5810, 'furious': 1366, 'sob': 1141, 'colorado': 5811, 'thorn': 5812, 'heavyset': 2653, 'flaming': 495, 'ungrateful': 3241, 'specials': 2940, 'court': 5815, 'bump': 2654, 'rain': 5816, 'buyer': 5817, 'easy-going': 5818, 'manage': 2684, 'christopher': 2655, 'innocence': 5032, 'diminish': 3354, '_burns_heads:': 5822, 'rip-off': 5823, 'sugar': 2656, 'overflowing': 5824, '||exclamation_mark||': 8, 'jubilant': 2657, 'alky': 5826, 'random': 5827, 'behind': 542, 'u': 1320, 'thought_bubble_homer:': 2658, 'itchy': 5829, "lefty's": 5893, 'karaoke_machine:': 5830, 'fellas': 819, 'countryman': 5077, 'spews': 5832, 'schedule': 5833, 'irs': 5834, "lenny's": 1880, 'cutting': 1106, 'isle': 2659, 'women': 1107, "depressin'": 5836, 'boo': 1793, 'mostly': 5112, 'man': 85, 'dreamy': 5837, 'imaginary': 5838, 'temper': 5839, "o'clock": 1367, 'pills': 5840, 'pusillanimous': 5841, 'occupancy': 4032, 'ladder': 5843, 'unable': 5844, 'amused': 5845, 'recall': 2661, 'handshake': 5846, 'wipe': 1794, 'polenta': 5847, 'cecil_terwilliger:': 5961, 'anyone': 502, 'closed': 1109, 'hideous': 6615, 'reconsidering': 6063, 'churchill': 2484, 'angry': 706, 'busted': 2663, 'righ': 5851, 'pus-bucket': 3045, 'job': 315, 'shirt': 1110, 'catholic': 5853, 'same': 934, "city's": 5854, 'blinded': 4353, "bringin'": 5856, 'chum': 2496, 'non-losers': 5857, 'spiritual': 5858, 'peter_buck:': 5859, 'sees': 1368, 'stranger:': 2665, 'rom': 5860, 'tatum': 1369, 'folks': 1295, 'laughter': 5862, 'training': 5863, 'fox_mulder:': 2666, 'excavating': 5864, 'fat-free': 5865, 'seminar': 5866, 'boggs': 5867, 'accent': 1111, "industry's": 5868, 'alter': 4263, 'literary': 5869, 'held': 2015, 'ruuuule': 5871, 'referee': 3318, 'addiction': 5311, 'cars': 2667, 'north': 5873, 'sly': 1370, 'dirge-like': 5874, 'sneering': 5875, 'germans': 5876, 'someplace': 5331, 'cow': 1068, 'housework': 5878, 'enjoyed': 5879, 'yeah': 36, 'majority': 5880, 'hooky': 5881, 'soothing': 4038, 'juice': 2668, 'rig': 5043, 'airport': 2669, "knockin'": 5883, 'koholic': 2670, 'learn': 590, 'troubles': 5884, 'was': 53, 'chinese': 1795, 'talk-sings': 1796, 'competitive': 6413, 'competing': 5885, 'squabbled': 3236, 'knock-up': 5887, 'yelp': 5888, 'southern': 5889, "somebody's": 5890, 'innocent': 1546, 'committing': 5412, 'seconds': 935, 'hm': 1371, 'drank': 2671, 'matter': 330, 'gunter:': 5892, 'nobody': 370, 'corpses': 1798, 'snaps': 1799, 'relative': 5894, 'benefits': 2672, 'ehhh': 5895, 'sizes': 5896, "kids'": 1800, 'glamour': 3371, 'flayvin': 5897, 'decent': 2673, 'cheaped': 5898, 'incapable': 4536, 'tempting': 5899, 'good': 82, 'embarrassing': 1854, 'unearth': 5901, 'hate': 453, 'politicians': 5902, "chewin'": 2674, 'utility': 2122, 'unattractive': 5903, 'hairs': 5904, 'gut': 5905, 'inspiring': 2085, 'acquitted': 5907, 'scout': 5908, 'enough': 374, 'admit': 927, 'wasting': 1801, 'outside': 591, 'today': 375, 'ugly': 592, 'soul-crushing': 5910, 'fortune': 5911, 'named': 1112, 'rocks': 5912, 'cigarettes': 2675, 'moe-near-now': 5913, 'spy': 2578, 'eighty-one': 2676, 'hispanic_crowd:': 5915, 'grave': 2677, 'bottom': 1375, 'hammer': 5917, 'ireland': 3445, 'losers': 821, 'nascar': 5919, 'unlocked': 5920, 'rummy': 822, 'impressed': 936, 'düffenbraus': 5921, 'dropped': 2678, 'feld': 5922, 'engraved': 5923, 'conclusions': 5924, 'duff_announcer:': 5925, 'appendectomy': 5926, 'during': 1113, 'incarcerated': 5927, 'ecru': 5928, 'courage': 2679, 'care': 418, 'reasonable': 2680, 'ugh': 5929, 'after': 260, 'pepsi': 5930, 'mexican_duffman:': 5931, 'stands': 2681, 'mean': 183, 'chuck': 5932, 'tow-joes': 6260, 'paintings': 5933, 'cheer': 1102, 'wheels': 5934, 'spanish': 1802, 'checking': 1803, 'whee': 1351, 'problemo': 6628, 'l': 1804, 'wacky': 5936, 'platinum': 5937, 'mac-who': 5938, 'cherry': 5939, 'still': 190, 'network': 5940, 'mic': 2629, '_timothy_lovejoy:': 1805, 'adequate': 5942, 'phony': 2979, 'bright': 1806, 'carll': 2682, 'sudoku': 5944, 'salad': 1807, 'statesmanlike': 5945, 'sits': 1376, "washin'": 5946, 'poin-dexterous': 3208, 'attend': 5948, 'pond': 2747, 'kids': 266, 'powers': 5949, "i-i'll": 5950, 'krabappel': 2861, 'uses': 5952, 'again': 225, 'stinger': 5954, 'cash': 503, 'convenient': 5955, 'walk': 717, 'riding': 2683, 'iddilies': 5795, 'huggenkiss': 1377, 'helicopter': 1808, 'eleven': 1378, 'insist': 3751, 'apu': 655, 'inspection': 1809, 'rice': 5957, 'rabbits': 5958, 'twelveball': 5959, 'stagy': 1379, 'looooooooooooooooooong': 5960, 'pudgy': 5848, 'hockey-fight': 5962, 'tomato': 4956, 'bender:': 1114, 'fdic': 5963, 'tv': 207, 'tourist': 4049, 'treat': 1115, 'night-crawlers': 5964, 'dumptruck': 5965, 'position': 5966, 'computer_voice_2:': 5967, 'believer': 5968, 'locked': 6635, 'corkscrews': 6604, 'official': 4051, 'piece': 1116, 'between': 2686, 'rotch': 1374, 'option': 5970, 'resigned': 5971, 'chip': 5972, 'but': 40, 'wanted': 416, "family's": 5974, 'equivalent': 5975, 'delivery_man:': 5976, 'figures': 5977, 'donut-shaped': 5978, 'sitar': 2687, 'sobbing': 1381, 'football_announcer:': 939, 'stock': 1382, 'sledge-hammer': 5979, 'philosophic': 5980, 'arrived': 5981, 'low-blow': 5982, 'seamstress': 5953, 'au': 5984, 'paste': 4184, 'taxi': 5986, 'patting': 6639, 'hours': 593, 'twelve': 1383, 'car:': 5987, 'hitler': 2688, 'people': 171, 'moans': 823, 'better': 191, 'counter': 5988, 'partners': 5989, "gentleman's": 1810, 'tv_husband:': 1118, 'your': 26, 'once': 345, 'madonna': 5990, 'points': 437, 'bid': 5991, 'executive': 5992, 'reach': 2689, 'afloat': 6014, 'drunks': 1811, 'everywhere': 5354, 'probably': 644, 'distract': 5994, 'ruby-studded': 5995, 'age': 1503, 'ned_flanders:': 346, 'kemi': 5996, 'golf': 2692, 'polite': 1384, 'losing': 1662, 'focus': 1812, 'hour': 1813, 'cueball': 2694, 'felt': 1122, 'both': 718, "'im": 2695, 'yello': 5998, 'must': 376, 'tipsy': 436, 'calvin': 5999, 'examples': 6000, 'apron': 6001, 'cuckoo': 6002, 'a-a-b-b-a': 6686, 'scientific': 6003, 'place': 184, 'unkempt': 6004, 'villanova': 6005, 'guts': 6006, 'disgusted': 594, 'star': 949, 'tornado': 6008, 'channel': 824, 'asleep': 6009, 'rivalry': 6010, 'cheaper': 6642, 'wings': 2697, '_julius_hibbert:': 940, 'eighty-seven': 2698, 'reentering': 4173, 'cold': 825, 'testing': 1120, 'norway': 6012, 'somewhere': 1814, 'ah-ha': 2699, 'musta': 6013, 'dames': 2700, 'toilet': 1815, 'comedy': 2701, 'room': 508, 'boned': 6015, 'wisconsin': 6016, 'some': 90, 'woulda': 6017, 'hans:': 1396, 'therapy': 1250, 'gift': 1816, 'theater': 1844, 'thinks': 657, 'calling': 504, 'sedaris': 6021, 'terrifying': 6022, 'ziffcorp': 1817, 'beast': 6023, 'yell': 2702, 'factor': 6024, "bo's": 6025, 'hit': 941, 'laughing': 942, 'ways': 2703, 'startled': 4189, 'rule': 2704, 'awfully': 6027, 'fair': 1818, 'cracked': 5465, 'tinkle': 943, 'jer': 5363, 'diapers': 6029, 'microwave': 6030, 'journey': 6031, 'repeating': 6032, 'archaeologist': 5993, 'beer-dorf': 6034, 'admirer': 4648, 'shut': 278, 'david_byrne:': 1415, 'appeals': 6035, 'eight-year-old': 6036, 'sure': 129, 'th-th-th-the': 6038, 'compared': 2705, 'holding': 944, 'bartending': 2706, 'plastic': 945, 'theatah': 6039, "game's": 2707, "foolin'": 6041, 'alpha-crow': 6042, 'clothespins:': 5855, 'selling': 1385, 'ruled': 6043, 'tsking': 6044, 'lifters': 6045, 'internet': 2708, 'news': 826, 'civilization': 2709, 'business': 356, 'frink': 1820, 'denser': 2710, 'cletus_spuckler:': 6046, 'sixty-nine': 1821, 'enabling': 6047, 'faiths': 6048, 'umm': 2711, 'effect': 6049, 'older': 6050, 'showing': 1822, "readin'": 2712, 'naked': 2713, 'awe': 2714, 'cozy': 2715, 'aisle': 6650, "drivin'": 1121, 'kidnaps': 6053, 'pleased': 1386, 'billy_the_kid:': 1148, 'spied': 2643, 'teddy': 2716, 'tiger': 4689, 'lenny_leonard:': 33, 'somebody': 827, 'using': 828, 'tall': 6057, 'menacing': 4149, 'reptile': 6059, 'backward': 4466, 'fist': 6060, "plaster's": 6061, 'stuff': 417, 'without': 505, 'and': 14, 'phrase': 4713, 'fund': 6062, 'product': 2437, 'stage': 6345, 'beep': 2137, 'writer:': 6064, 'guys': 106, 'letters': 1823, 'watching': 595, 'it': 17, 'burg': 6065, 'proposing': 2717, 'gamble': 6066, 'unfresh': 6067, 'divine': 6068, 'sistine': 6069, 'pursue': 5997, 'only': 154, 'cab_driver:': 6590, 'rented': 6070, 'hollywood': 2317, 'predecessor': 4714, 'creeps': 2718, 'dirty': 6072, "meanin'": 2719, "o'problem": 1425, 'sumatran': 6074, 'troy:': 1824, 'homer_simpson:': 12, 'helped': 2720, 'patty_bouvier:': 719, 'agnes_skinner:': 720, 'picnic': 6075, 'silent': 6076, 'recorder': 6077, 'jazz': 3142, 'vacuum': 2721, 'ignorance': 3906, 'buried': 2722, 'buttocks': 6079, 'chinua': 6080, 'bonding': 6081, 'sen': 6082, 'cliff': 6083, 'scratching': 6084, 'steam': 6085, 'chilly': 2723, 'wednesday': 6086, 'eu': 6087, 'notch': 6088, 'pardon': 1825, 'desire': 6089, 'ad': 1124, 'dregs': 6090, 'bob': 1826, 'blows': 6091, 'rainier_wolfcastle:': 2724, 'twin': 2725, 'color': 2880, 'masks': 6093, 'isotopes': 1164, 'rolled': 2726, 'valuable': 6095, 'spamming': 6096, 'island': 1388, 'thoughts': 1827, 'scientists': 6097, 'grammar': 6098, 'wash': 2135, 'root': 1828, 'gus': 3781, 'gently': 1829, 'domestic': 1389, 'imported-sounding': 6101, 'reaches': 6102, 'brave': 2727, 'fantasy': 6103, 'cowboys': 2728, 'nasa': 2729, 'homeless': 6104, 'mountain': 6105, 'poetry': 3476, 'expensive': 6108, 'jeez': 1125, 'richard': 6109, 'horrors': 3563, 'around': 192, 'italian': 6111, 'zoomed': 6112, 'dressing': 6113, 'whaaa': 6114, 'town': 377, 'gives': 946, 'open': 721, 'cooker': 4901, 'anyway': 513, 'hell': 307, 'exact': 6116, 'feminine': 2903, 'carb': 6118, 'malibu': 6119, 'sign': 465, 'persia': 6120, 'crunch': 6121, 'magic': 1392, 'employment': 6122, 'ratio': 3255, 'bullet-proof': 6073, 'deals': 2965, 'sec_agent_#1:': 1831, 'slyly': 2731, 'married': 645, 'spacey': 3004, 'fighter': 6125, 'name': 202, 'retired': 2732, 'drawer': 6126, 'totalitarians': 6666, 'notably': 6127, 'reading': 393, 'jury': 6128, 'card': 664, 'just': 38, 'committee': 6130, 'bellyaching': 6131, 'crony': 6132, "thing's": 3034, 'mine': 1127, 'lager': 6134, 'million': 506, 'evils': 6135, 'early': 948, 'donated': 6136, 'grease': 6137, 'loves': 507, 'roses': 2733, 'suspicious': 2734, 'summer': 1833, "life's": 6138, 'glorious': 3416, 'refreshing': 6140, 'generously': 6007, 'jimmy': 3088, 'bills': 6141, 'boneheaded': 2735, 'bart': 287, 'ram': 3094, 'illustrates': 6143, 'chest': 1835, 'roach': 6144, 'presto:': 6688, 'f-l-a-n-r-d-s': 6145, 'crab': 3116, 'cummerbund': 6146, "'your": 6147, 'punk': 2371, 'perfunctory': 6149, 'smile': 829, 'harvesting': 6150, 'anguished': 1837, 'stumble': 6151, 'mickey': 6152, "starla's": 6153, 'bears': 2738, "he'd": 1128, "elmo's": 6154, 'salvation': 6155, 'thumb': 1129, 'chips': 6156, 'lib': 2739, "beggin'": 6157, 'sorts': 6158, 'parents': 6159, 'dough': 2740, 'press': 3165, 'chunky': 6161, 'winch': 6162, 'beligerent': 6163, 'hoax': 6164, 'rasputin': 6165, 'dungeon': 2741, 'temporarily': 6166, 'test': 1353, 'grumbling': 6168, 'smitty:': 6169, 'exits': 6170, 'lachrymose': 6171, 'dreamily': 6172, 'driver': 1838, 'idiots': 6173, 'jeers': 6174, 'reason': 1637, 'anti-intellectualism': 6176, 'duh': 1130, 'strains': 6177, 'sucked': 1839, 'self': 596, 'refiero': 6178, 'prince': 5124, 'grumpy': 2348, 'juke': 6180, 'cats': 6011, 'clap': 6182, "isn't": 296, 'foam': 3049, 'sunday': 1132, 'an': 84, "hawkin'": 6676, "mo'": 6183, 'fat': 348, 'chocolate': 1394, "you'd": 438, 'everyday': 6184, 'large': 2742, 'ugliness': 6185, 'doubt': 1028, 's-a-u-r-c-e': 6186, 'oh': 31, 'glitz': 6187, 'expense': 6188, 'badges': 2744, "robbin'": 1840, 'terrorizing': 3327, 'opening': 1841, 'colonel:': 6190, 'nuked': 6191, 'hunka': 6192, 'missed': 2745, "shan't": 2746, 'who': 83, 'physical': 6193, 'dive': 1669, 'connor-politan': 6677, 'ron': 3367, 'helps': 4515, 'bill': 1395, 'tying': 6196, 'distaste': 6197, 'sweetheart': 2383, 'year': 658, 'cattle': 4083, "ladies'": 2749, 'minus': 3401, 'supermarket': 6200, 'traitors': 6201, 'el': 6546, 'government': 1077, 'dignified': 6203, 'perking': 3530, "bar's": 2245, 'numbers': 911, 'dateline:': 6205, 'queer': 2750, 'tree': 1133, 'mariah': 6206, 'horrified': 1167, 'dramatically': 6208, 'wrong': 357, 'wantcha': 3441, 'linda': 2368, '530': 6209, 'swallowed': 5393, 'patriotic': 6210, 'sooo': 6211, 'swelling': 6212, 'rector': 6213, 'scrutinizing': 6214, 'mozzarella': 6215, 'heard': 446, 'cushion': 6054, 'nbc': 6216, 'protesting': 6217, 'liar': 2145, 'ceremony': 4465, 'menace': 6019, 'slapped': 6222, 'infor': 6223, 'genuinely': 6224, 'eight': 682, 'cocking': 6225, 'tire': 6226, "tab's": 5679, 'players': 6020, 'mock-up': 3549, 'seem': 1397, 'sympathetic': 2056, 'follow': 1398, 'suffering': 6229, 'prank': 1845, 'cooler': 2753, 'bust': 6230, 'planned': 3572, 'muttering': 2754, 'lap': 2651, 'hears': 6233, 'died': 1399, 'support': 6234, "'": 6235, 'reviews': 2755, 'burglary': 3598, 'answering': 2529, 'before': 200, 'junebug': 6238, 'settles': 6239, 'romantic': 950, 'happens': 6240, 'dads': 6241, 'heartily': 6242, 'cock': 6243, 'pizzicato': 6244, 'entirely': 2756, 'violin': 2421, 'amber': 6245, "she'll": 6246, 'rolling': 2757, 'graveyard': 5985, 'saved': 1135, 'muertos': 6248, 'sucking': 6249, 'four': 335, 'table': 830, 'botanical': 6252, 'friday': 6253, 'joey_kramer:': 2758, 'pants': 402, 'hidden': 5734, 'crowded': 6256, 'capuchin': 3733, 'forget-me-shot': 1400, 'blaze': 6257, 'scooter': 2760, 'fountain': 3533, 'delicately': 6258, '10:15': 6259, 'especially': 1401, 'fledgling': 5342, "they've": 1402, 'what': 34, 'finger': 1403, "edna's": 6262, 'bad-mouth': 6263, 'filth': 6026, 'here-here-here': 6264, 'smurfs': 2762, 'undated': 3777, 'parked': 6267, "cleanin'": 6268, 'veux': 6269, 'eggshell': 4094, 'abercrombie': 6270, 'drives': 6271, 'riveting': 6272, 'november': 6273, 'royal': 3821, 'if': 71, 'text': 1847, 'goal': 6276, 'beautiful': 420, 'conference': 2764, 'field': 1404, 'louie:': 2765, 'powered': 6277, 'uncreeped-out': 6278, 'sweat': 5067, 'jam': 6280, 'high': 543, 'larry:': 599, '250': 2766, 'ribbon': 6281, 'trust': 1848, 'bide': 6028, 'divorced': 6283, "let's": 229, 'highway': 2767, 'brown': 6284, 'triple-sec': 6285, 'books': 1405, 'fantastic': 6286, 'actor': 5825, 'twenty-two': 1849, 'peeping': 3923, 'stadium': 1851, 'shark': 6287, 'do': 52, 'skeptical': 2768, 'twenty-four': 3728, 'pinball': 6288, 'strap': 1136, 'full': 832, 'answers': 2769, 'banquo': 2770, 'klingon': 2874, 'continuing': 2771, 'pussycat': 6290, 'waking-up': 6291, 'bam': 2772, 'beatings': 6292, 'oooh': 6293, 'thirsty': 6294, 'mags': 6295, 'hawaii': 6296, 'drinking:': 6297, 'milks': 6298, 'lard': 6299, 'hottest': 6300, 'eighty-three': 6301, "that's": 59, 'insurance': 6302, 'exit': 1852, 'road': 1406, "bart'd": 6303, 'fights': 6304, 'house': 331, 'homeland': 6305, 'conversations': 6306, 'animals': 2773, 'shoo': 2774, 'lis': 3181, 'occupied': 6051, 'rafter': 4052, "won't": 251, 'whoops': 6310, 'spooky': 6311, 'please/': 5405, 'distraught': 1407, 'thousand-year': 4951, 'honor': 2775, 'set': 951, 'saucy': 3746, 'bless': 1853, 'intakes': 5406, 'milhouses': 4102, 'fuss': 2777, 'ape-like': 6313, 'blubberino': 6314, "enjoyin'": 6315, 'deeply': 2778, 'springfield': 252, 'installed': 6316, 'introduce': 6317, 'usually': 1258, 'knew': 439, 'criminal': 6319, 'coast': 6320, 'bridges': 6321, 'volunteer': 5956, 'tapping': 6323, 'each': 545, 'mmm-hmm': 6324, 'school': 466, 'increasingly': 2779, 'micronesian': 6325, 'keeps': 1292, 'impatient': 2780, 'visas': 6326, 'sticking-place': 6327, 'cakes': 3786, 'courthouse': 6328, 'watered': 6329, 'sneak': 6330, 'harder': 2781, 'wrestle': 5789, 'barney_gumble:': 41, 'nordiques': 6332, 'fishing': 4192, 'having': 1036, 'explaining': 1409, 'nap': 6333, 'grandiose': 2782, 'kent': 894, 'spilled': 6335, 'dictator': 6336, 'absorbent': 6110, 'honest': 952, 'parrot': 6692, 'pretentious_rat_lover:': 6338, 'heaven': 953, 'jail': 1855, 'manuel': 6339, '1973': 6340, 'slugger': 6341, 'toxins': 4264, "writin'": 6342, 'serious': 728, 'vigilante': 6343, 'lemme': 722, 'gal': 1856, 'securities': 2376, "tootin'": 5411, 'bold': 2785, "goin'": 358, 'goes': 692, 'planning': 2786, 'jerry': 2343, 'betcha': 6346, 'near': 2787, 'ladies': 467, 'billion': 2788, 'all-all-all': 6347, 'sweeter': 2789, 'winston': 6348, 'brace': 6349, "neighbor's": 6350, 'make': 108, 'wangs': 2255, 'when': 107, "pullin'": 6353, 'tab': 723, 'damned': 6355, 'kissingher': 6430, 'credit': 6711, 'burt_reynolds:': 6358, 'hot-rod': 4217, 'stein-stengel-': 6359, 'whatchacallit': 6360, 'toms': 6361, 'hoagie': 6362, 'toasting': 1857, 'mid-seventies': 6363, 'beer-jerks': 6364, 'kneeling': 6365, 'sun': 6366, 'pigs': 2790, 'none': 1140, 'tale': 2791, 'met': 1624, "man's_voice:": 4127, 'squad': 6368, 'wittgenstein': 3768, 'louder': 2049, 'pretzel': 6369, 'kirk_voice_milhouse:': 6370, "cashin'": 6107, 'lookalike': 6372, '/': 69, 'fall': 954, 'ends': 6373, 'w-a-3-q-i-zed': 6374, 'maybe': 180, 'date': 509, 'coma': 6251, 'blessing': 6376, 'average': 4478, 'hmm': 833, 'drag': 6378, 'remote': 6379, 'ninety-seven': 6380, "wouldn't": 378, 'repressed': 6381, 'utensils': 6382, 'single-mindedness': 6383, 'ahhh': 2029, 'where': 142, 'whim': 6384, 'symphonies': 6385, 'shortcomings': 6386, 'pulling': 2792, 'butterball': 6387, 'mm': 2379, "who'll": 1411, 'starve': 6389, 'sub-monkeys': 6390, 'transmission': 6561, 'rancid': 6391, 'uniforms': 6392, 'able': 1412, 'unison': 1860, 'amnesia': 6393, 'thinking': 394, 'belly-aching': 6394, 'mckinley': 6395, 'possibly': 2793, 'willing': 6396, 'per': 1861, 'nick': 4564, 'naturally': 2794, 'grudgingly': 6398, 'soon': 659, 'nitwit': 6399, 'hop': 2795, 'decided': 6400, 'snapping': 6401, 'blind': 4875, 'wing': 2796, 'rump': 6402, 'edna-lover-one-seventy-two': 6403, 'spelling': 6404, 'deer': 1142, 'forehead': 2797, 'compete': 6405, 'past': 1862, 'injury': 6406, 'ralph_wiggum:': 6407, 'dutch': 6408, 'cartoons': 5696, 'stan': 6410, 'dejected_barfly:': 6411, 'troll': 1143, 'wudgy': 6412, 'puzzle': 5422, 'brow': 2390, 'liven': 6716, 'grateful': 6415, 'attracted': 6416, 'falsetto': 6417, 'impending': 6418, 'problems': 547, 'firm': 4638, 'peppers': 6420, 'effervescent': 2799, 'mamma': 5774, 'lipo': 6421, 'come': 96, 'ha-ha': 2363, '_hooper:': 1144, 'bowie': 6423, 'marriage': 634, 'cosmetics': 6424, 'crappy': 6425, 'touch': 6426, '1979': 6427, 'adjourned': 4744, 'contemptuous': 6428, 'a': 11, "dog's": 6429, 'dancing': 1863, 'wizard': 5424, 'sealed': 6431, 'heliotrope': 6432, 'suspect': 2378, 'slow': 955, 'seems': 782, 'chauffeur:': 4788, "o'reilly": 6434, 'astronauts': 6435, 'tenor:': 2801, 'detective': 4862, 'hired': 2802, 'sixty-five': 6437, 'shelbyville': 6438, 'appropriate': 4821, 'selma_bouvier:': 834, 'confidence': 2803, 'religion': 1864, 'flag': 2804, 'voice_on_transmitter:': 2805, 'shares': 1865, "d'": 5136, 'batmobile': 6441, 'wiggle-frowns': 6442, 'skydiving': 6443, 'death': 1866, 'payback': 6444, 'maintenance': 6723, 'control': 6446, "should've": 4860, "'morning": 6448, 'spotting': 6449, 'barney': 131, 'woozy': 2807, 'pernt': 5497, 'take': 120, 'duffed': 6451, 'accurate': 1867, 'admiring': 2808, 'weep': 6452, 'christian': 4894, 'fwooof': 6454, 'roy': 6455, 'cooking': 6456, 'wa': 2752, 'wallet': 1145, "b-52's:": 6458, 'sight-unseen': 6459, 'straighten': 6460, 'loaded': 1416, 'premise': 6461, 'belts': 6462, 'typing': 4927, 'wage': 3925, 'cobbling': 6465, 'relationship': 2809, 'man:': 1146, 'roof': 2418, "fightin'": 6467, 'fix': 1417, "linin'": 6468, 'guard': 6469, 'brief': 6728, 'hillary': 6470, 'homer': 27, 'heavens': 4974, 'slipped': 6472, 'life:': 6473, 'poker': 2420, 'goo': 6475, 'emotional': 2811, 'life-sized': 6476, 'love-matic': 2812, 'darkness': 6477, '||right_parentheses||': 4, 'elocution': 6478, 'u2:': 4131, 'guns': 1418, 'clown-like': 6056, 'all': 37, 'k-zug': 6481, 'rem': 6482, 'hose': 6483, 'diamond': 2539, 'victory': 2814, 'barflies:': 510, "rustlin'": 6485, 'steinbrenner': 6486, 'term': 6487, 'negative': 6488, 'night': 199, 'linda_ronstadt:': 6489, "heat's": 6490, 'yourselves': 2455, 'tentative': 2579, 'nominated': 6492, 'multi-purpose': 6494, 'expression': 2815, 'bashir': 2816, 'edna': 421, 'dejected': 6377, 'post-suicide': 6495, 'bed': 1149, 'padre': 2817, 'manchego': 6496, 'suru': 6497, 'malabar': 6058, 'sweet': 253, 'daniel': 6499, 'influence': 3153, 'own': 440, 'shower': 2818, 'foibles': 1322, 'glummy': 6502, 'theory': 6503, 'evening': 1150, 'de': 5130, 'really': 103, 'oughtta': 6505, 'savings': 6506, 'stevie': 2589, 'nachos': 5149, "takin'": 2820, 'exhibit': 6508, 'spender': 5159, 'accusing': 6509, 'cranberry': 6510, 'absolutely': 1151, 'howya': 6511, 'enter': 3946, 'shakes': 6513, 'small_boy:': 6514, "nothin's": 6515, 'cruiser': 5199, 'does': 232, 'ohmygod': 1870, 'pageant': 1871, 'matter-of-fact': 2823, 'piano': 6516, 'carny:': 6517, "'ere": 6518, 'poor': 660, 'attempting': 2824, 'voted': 6519, 'delays': 5257, 'scrutinizes': 6521, 'brick': 6148, 'ingredient': 1419, 'gals': 2825, 'fools': 6522, 'trying': 600, 'cookies': 2826, 'now': 63, 'jack_larson:': 1872, 'presidents': 6523, 'directions': 1873, 'militia': 6524, 'pronto': 6525, 'load': 5309, 'coined': 5312, 'pause': 1874, 'eddie:': 1420, 'bidet': 3505, 'squirrels': 6529, 'raking': 6530, 'drinking': 468, 'quick': 956, 'voodoo': 6531, 'feels': 1421, 'wh': 6532, 'afternoon': 1875, 'slot': 6533, 'mellow': 6534, 'r': 1740, 'easygoing': 6536, "hell's": 6537, 'unbelievably': 6538, 'options': 6539, 'seething': 6540, 'b-day': 6541, 'bum:': 6542, 'snide': 5484, 'luck': 1153, 'trenchant': 6543, 'marquee': 6544, 'selection': 4117, 'unusually': 5006, 'c': 297, 'pouring': 2806, 'pizza': 4809, 'thnord': 6547, 'ihop': 6548, "i'unno": 6549, 'attack': 2827, 'wayne:': 1876, 'dyspeptic': 6550, 'learned': 661, 'finishing': 2828, 'electronic': 2829, 'flame': 6551, 'tolerable': 6344, 'save': 426, 'babies': 1422, 'lush': 2830, 'cotton': 2831, 'license': 1877, 'advice': 808, 'traditions': 6739, 'trash': 6554, 'burn': 511, 'undermine': 5444, 'beats': 2832, 'ambrose': 4517, 'kadlubowski': 6555, 'grandé': 5519, 'unsourced': 6557, 'saint': 2833, 'chug-monkeys': 6558, 'prices': 6559, 'mumble': 6560, 'dead': 441, 'uh-oh': 554, "startin'": 6562, 'lessee': 6563, "'roids": 4142, 'si-lent': 6564, 'department': 2834, 'trees': 6565, 'champignons': 6099, 'information': 3941, 'hugh': 5737, 'jackson': 6568, 'gold': 957, 'whatchamacallit': 6569, 'sauce': 1095, 'unattended': 6570, 'curiosity': 4204, 'assume': 6572, 'tester': 2835, 'bottomless': 5196, 'sausage': 2836, 'pointedly': 6254, 'sobriety': 6574, 'junkyard': 6575, 'the_edge:': 6576, 'conspiratorial': 2837, 'onion': 5632, 'ourselves': 1436, 'beauty': 1423, 'prep': 6579, 'based': 2839, 'solely': 5188, 'horribilis': 6580, 'ron_howard:': 6581, 'heather': 5662, 'charlie': 2841, 'opens': 6583, "money's": 2842, 'guide': 2843, 'folk': 2844, 'experienced': 6584, 'drown': 2845, 'arabs': 6585, 'shoot': 1879, 'wuss': 6586, 'find': 262, 'firmly': 2846, 'pushing': 3487, 'incriminating': 6587, 'kick': 725, 'county': 5690, 'beers': 705, 'toe': 6591, 'dark': 6592, 'wishes': 2848, "changin'": 6593, 'ear': 6594, 'screw': 835, 'dallas': 1032, 'compare': 6595, 'asked': 1156, 'coherent': 6596, 'row': 2850, 'sweater': 6071, 'march': 5742, 'ferry': 6598, 'gambler': 2985, 'roller': 6228, 'consciousness': 6599, 'fulla': 6600, 'jams': 6601, 'regulars': 2852, 'quietly': 1157, 'emergency': 6602, "makin'": 836, 'choke': 6603, 'kitchen': 3910, 'orphan': 6605, 'cutie': 2853, "he's": 143, 'atlanta': 2854, 'exquisite': 4039, 'lowest': 5403, 'pumping': 6608, 'eventually': 2648, 'drederick': 1158, 'fun': 601, 'comforting': 6609, 'stories': 1159, 'samples': 6610, 'passenger': 6611, 'faith': 6612, 'acquaintance': 2855, 'bad': 222, 'owner': 2481, 'bret': 2660, 'switched': 6614, 'fancy': 1881, 'speech': 1160, 'ice': 958, 'spread': 2856, 'harm': 5849, 'bar_rag:': 602, '||quotation_mark||': 20, 'squeals': 6617, 'popped': 6618, 'hank_williams_jr': 959, 'germs': 2857, 'bridge': 2858, 'meet': 548, 'express': 2859, 'exactly': 726, 'champ': 2860, 'flustered': 6619, 'discriminate': 6620, 'tuna': 3397, 'frazier': 6622, 'box': 727, 'lose': 1161, 'leak': 6623, 'whoopi': 6624, 'sangre': 6625, 'mirthless': 6626, 'scarf': 6627, 'from': 75, 'dad': 254, 'ah': 119, 'saturday': 1792, 'liver': 1426, 'gasoline': 6630, 'hitchhike': 6631, "betsy'll": 6632, 'moesy': 6633, 'weeks': 1889, 'violations': 2389, 'store-bought': 6636, 'yawns': 2869, 'twice': 2862, 'foundation': 6638, 'gee': 392, 'senators': 1427, 'kwik-e-mart': 1749, 'onto': 6640, 'gifts': 2863, 'chug': 1123, "hangin'": 2864, 'spending': 1884, 'starla': 6641, 'kang:': 1885, 'fresh': 2865, 'cap': 5916, 'ho-la': 6643, 'bits': 6754, 'hubub': 6644, 'milhouse_van_houten:': 1428, 'outstanding': 6645, 'reached': 2866, 'chinese_restaurateur:': 6646, 'interesting': 6647, 'sack': 2867, 'over-pronouncing': 6040, 'gil_gunderson:': 6649, 'mr': 185, 'wine': 1162, 'pepper': 6221, 'grind': 6052, 'breaking': 1887, 'greatest': 662, 'needs': 1163, 'poetics': 6651, 'horns': 6652, 'loudly': 6653, 'pets': 6755, 'barely': 2868, 'nonchalant': 6654, 'blood': 710, 'william': 6656, 'drivers': 1429, 'videotaped': 6657, 'geysir': 4679, 'mobile': 4327, 'mid-conversation': 3510, 'invite': 1888, 'prison': 2870, 'i/you': 6660, '70': 6661, 'regulations': 6493, 'invulnerable': 6663, '50%': 6664, 'happiness': 6665, 'rapidly': 5055, 'window': 1126, 'gossipy': 6667, "yesterday's": 6668, 'chuckle': 288, 'blade': 5328, 'spouses': 6670, 'access': 6671, 'wife-swapping': 6545, 'gun': 2871, 'saw': 469, 'parenting': 4546, 'nah': 395, "getting'": 6673, 'faceful': 6674, 'sagely': 6675, 's': 837, 'illegal': 1332, 'broom': 2872, 'inspired': 2873, 'hospital': 1035, 'clone': 1842, 'hotenhoffer': 6142, "can't-believe-how-bald-he-is": 6679, 'reciting': 6680, 'approval': 6681, 'too': 104, "president's": 6659, 'muffled': 6682, 'upn': 6683, "what'd": 6684, "c'mom": 6685, 'freely': 6247, 'housewife': 6687, 'padres': 3835, 'wieners': 6689, 'crowned': 4062, 'breathtaking': 6690, 'jolly': 1890, 'according': 6691, 'choking': 2316, 'extract': 6693, 'coach:': 1891, "usin'": 6694, 'bachelorette': 6695, 'beefs': 6696, 'chumbawamba': 6697, 'lucius': 2875, 'tank': 6698, 'guest': 1892, 'rhyme': 2876, 'ahh': 838, 'resenting': 6699, 'appalled': 6700, 'shuts': 6701, 'lou': 6702, 'limber': 6703, 'courts': 6704, 'second': 663, 'stooges': 6705, 'customer': 1893, 'warm_female_voice:': 839, 'sloe': 6706, 'cheered': 6707, "toot's": 6708, 'vampires': 2783, 'picky': 6709, 'dreams': 2877, 'wooooo': 1759, 'carpet': 6710, 'gentles': 6357, 'thoughtless': 6308, 'snotty': 6712, 'disco': 2878, 'reaction': 3536, 'bible': 2879, 'demo': 3875, 'dump': 582, 'stops': 3100, 'boring': 1165, 'barf': 2881, 'commanding': 6715, 'renee:': 840, 'ne': 6414, 'provide': 6717, 'dishonor': 6718, 'fierce': 6719, 'teenage_bart:': 1430, 'keeping': 1894, 'motto': 6720, 'spirit': 6721, 'market': 1265, "smokin'_joe_frazier:": 1166, 'choked-up': 6445, 'crummy': 1895, 'idea': 359, 'lingus': 6769, 'musses': 6725, 'birth': 6726, 'brotherhood': 6727, 'glasses': 1147, 'guttural': 6729, 'cares': 1431, 'absentmindedly': 6730, 'grocery': 6731, 'rid': 1896, 'offer': 1432, 'suds': 2882, 'slip': 1498, 'afford': 1897, 'cup': 6732, 'wha': 1168, 'prolonged': 6733, 'lisa_simpson:': 135, 'princesses': 2883, 'insensitive': 6734, 'grubby': 6735, 'clipped': 6736, 'angel': 2449, 'lou:': 960, 'hostile': 6737, 'ragtime': 2884, 'flash': 6738, 'busy': 1433, 'half-back': 5105, 'type': 2885, "hole'": 4135, 'scream': 1434, 'sail': 3922, 'haiti': 6741, "kid's": 4170, 'free': 397, 'walks': 1850, 'shrugs': 2886, 'stays': 6742, 'jukebox_record:': 3392, 'mumbling': 2838, 'live': 603, 'declan_desmond:': 1437, 'burt': 1438, 'blinds': 3082, 'yourself': 422, 'marjorie': 6745, 'wildfever': 6746, 'stonewall': 6747, 'god': 166, 'said:': 6748, 'whiny': 1439, 'tons': 6749, 'hail': 2887, 'red': 1033, 'delicate': 6751, 'mini-dumpsters': 6752, 'knocks': 6753, 'barter': 5683, 'assistant': 2888, 'itself': 6629, 'wears': 6756, 'instantly': 6757, 'disapproving': 2889, 'vote': 2216, 'weirded-out': 2890, 'thrown': 6759, 'family-owned': 6760, 'and:': 6761, 'absolut': 6762, 'drink': 151, 'glowers': 6763, 'angrily': 3827, 'bank': 1169, 'temples': 6765, 'listens': 6766, 'voters': 6767, 'grienke': 2891, 'shifty': 6768, 'mice': 6724, 'lied': 6770, 'shutup': 6771, 'horses': 6772, 'represents': 6773, 'flush': 6743, 'thesaurus': 2892, 'young_moe:': 2893, 'apology': 6775, 'prayer': 2894, 'bumbling': 6776, 'stupid': 298, 'bagged': 5012, 'blew': 2895, 'judges': 6777, "y'money's": 6778}
******
{0: '||period||', 1: '||return||', 2: '||comma||', 3: '||left_parentheses||', 4: '||right_parentheses||', 5: 'the', 6: 'i', 7: 'you', 8: '||exclamation_mark||', 9: 'moe_szyslak:', 10: 'question_mark', 11: 'a', 12: 'homer_simpson:', 13: 'to', 14: 'and', 15: 'of', 16: 'my', 17: 'it', 18: 'that', 19: 'in', 20: '||quotation_mark||', 21: 'me', 22: 'is', 23: 'this', 24: "i'm", 25: 'for', 26: 'your', 27: 'homer', 28: 'on', 29: 'hey', 30: 'moe', 31: 'oh', 32: 'no', 33: 'lenny_leonard:', 34: 'what', 35: 'with', 36: 'yeah', 37: 'all', 38: 'just', 39: 'like', 40: 'but', 41: 'barney_gumble:', 42: 'so', 43: 'be', 44: 'here', 45: 'carl_carlson:', 46: "don't", 47: 'have', 48: 'up', 49: "it's", 50: 'well', 51: 'out', 52: 'do', 53: 'was', 54: 'got', 55: 'get', 56: 'are', 57: 'we', 58: 'uh', 59: "that's", 60: 'one', 61: "you're", 62: 'not', 63: 'now', 64: 'can', 65: 'know', 66: '||dash||', 67: 'at', 68: 'right', 69: '/', 70: 'how', 71: 'if', 72: 'back', 73: 'marge_simpson:', 74: 'about', 75: 'from', 76: 'he', 77: 'go', 78: 'gonna', 79: 'they', 80: 'there', 81: 'beer', 82: 'good', 83: 'who', 84: 'an', 85: 'man', 86: 'okay', 87: 'little', 88: 'his', 89: 'as', 90: 'some', 91: "can't", 92: 'then', 93: 'never', 94: 'think', 95: "i'll", 96: 'come', 97: 'could', 98: "i've", 99: 'him', 100: 'see', 101: 'want', 102: 'look', 103: 'really', 104: 'too', 105: 'been', 106: 'guys', 107: 'when', 108: 'make', 109: 'why', 110: 'ya', 111: 'bar', 112: 'her', 113: 'did', 114: 'say', 115: 'time', 116: 'or', 117: 'marge', 118: 'gotta', 119: 'ah', 120: 'take', 121: 'into', 122: 'down', 123: 'love', 124: 'more', 125: 'our', 126: 'off', 127: 'am', 128: 'guy', 129: 'sure', 130: 'two', 131: 'barney', 132: "there's", 133: 'thing', 134: 'would', 135: 'lisa_simpson:', 136: "we're", 137: 'tell', 138: 'big', 139: 'need', 140: 'let', 141: 'had', 142: 'where', 143: "he's", 144: 'money', 145: 'over', 146: 'us', 147: 'something', 148: "what's", 149: 'bart_simpson:', 150: 'sorry', 151: 'drink', 152: 'by', 153: 'ever', 154: 'only', 155: 'day', 156: 'way', 157: 'will', 158: 'wait', 159: 'she', 160: 'chief_wiggum:', 161: 'even', 162: 'give', 163: 'new', 164: "i'd", 165: 'huh', 166: 'god', 167: "ain't", 168: 'those', 169: "didn't", 170: 'great', 171: 'people', 172: "moe's", 173: 'has', 174: 'lenny', 175: 'eh', 176: 'phone', 177: 'much', 178: 'life', 179: 'were', 180: 'maybe', 181: 'going', 182: 'than', 183: 'mean', 184: 'place', 185: 'mr', 186: 'should', 187: 'wanna', 188: 'these', 189: "you've", 190: 'still', 191: 'better', 192: 'around', 193: "'em", 194: 'friend', 195: 'help', 196: 'home', 197: 'old', 198: 'noise', 199: 'night', 200: 'before', 201: 'please', 202: 'name', 203: 'aw', 204: 'seymour_skinner:', 205: 'whoa', 206: 'last', 207: 'tv', 208: 'boy', 209: 'made', 210: 'face', 211: 'any', 212: 'hello', 213: "'cause", 214: 'put', 215: 'thanks', 216: 'duff', 217: 'drunk', 218: 'three', 219: 'call', 220: 'listen', 221: 'their', 222: 'bad', 223: 'car', 224: 'looking', 225: 'again', 226: 'first', 227: 'best', 228: 'very', 229: "let's", 230: 'wow', 231: 'yes', 232: 'does', 233: 'ooh', 234: 'said', 235: 'while', 236: 'another', 237: 'kent_brockman:', 238: 'looks', 239: 'every', 240: 'them', 241: 'wife', 242: 'guess', 243: 'apu_nahasapeemapetilon:', 244: 'other', 245: 'work', 246: 'singing', 247: 'play', 248: 'years', 249: 'tonight', 250: 'feel', 251: "won't", 252: 'springfield', 253: 'sweet', 254: 'dad', 255: 'dr', 256: 'voice', 257: "they're", 258: 'sobs', 259: 'everybody', 260: 'after', 261: 'thought', 262: 'find', 263: 'might', 264: 'things', 265: 'buy', 266: 'kids', 267: 'because', 268: 'check', 269: 'happy', 270: 'head', 271: 'beat', 272: 'nice', 273: 'keep', 274: 'show', 275: 'world', 276: 'since', 277: 'girl', 278: 'shut', 279: 'minute', 280: 'friends', 281: 'sighs', 282: 'lisa', 283: "who's", 284: 'use', 285: 'always', 286: 'sings', 287: 'bart', 288: 'chuckle', 289: 'carl', 290: 'someone', 291: 'kid', 292: 'ow', 293: "you'll", 294: 'krusty_the_clown:', 295: 'which', 296: "isn't", 297: 'c', 298: 'stupid', 299: 'anything', 300: 'hundred', 301: "here's", 302: 'seen', 303: 'laugh', 304: 'remember', 305: 'lot', 306: 'talk', 307: 'hell', 308: 'laughs', 309: 'thank', 310: 'simpson', 311: 'next', 312: 'through', 313: 'glass', 314: 'chuckles', 315: 'job', 316: 'long', 317: 'away', 318: 'five', 319: 'hope', 320: 'woman', 321: "nothin'", 322: 'lost', 323: 'believe', 324: 'pretty', 325: 'hear', 326: 'happened', 327: 'kind', 328: 'outta', 329: 'says', 330: 'matter', 331: 'house', 332: "homer's", 333: 'tavern', 334: 'nervous', 335: 'four', 336: 'comes', 337: 'book', 338: 'wish', 339: 'waylon_smithers:', 340: 'family', 341: 'real', 342: "c'mon", 343: '_montgomery_burns:', 344: 'stop', 345: 'once', 346: 'ned_flanders:', 347: 'turn', 348: 'fat', 349: 'game', 350: "doin'", 351: 'actually', 352: 'wants', 353: 'myself', 354: 'grampa_simpson:', 355: 'ask', 356: 'business', 357: 'wrong', 358: "goin'", 359: 'idea', 360: "we've", 361: 'done', 362: 'getting', 363: 'duffman:', 364: "she's", 365: 'everything', 366: 'many', 367: 'loud', 368: 'party', 369: 'used', 370: 'nobody', 371: 'burns', 372: "comin'", 373: 'problem', 374: 'enough', 375: 'today', 376: 'must', 377: 'town', 378: "wouldn't", 379: 'maggie', 380: 'true', 381: 'sounds', 382: 'took', 383: 'doing', 384: 'um', 385: 'woo', 386: 'watch', 387: 'sound', 388: 'dollars', 389: 'na', 390: 'bucks', 391: 'hold', 392: 'gee', 393: 'reading', 394: 'thinking', 395: 'nah', 396: 'try', 397: 'free', 398: "where's", 399: 'daughter', 400: 'kemi:', 401: 'canyonero', 402: 'pants', 403: 'being', 404: 'baby', 405: 'secret', 406: 'excuse', 407: 'under', 408: 'kill', 409: 'chief', 410: 'leave', 411: 'most', 412: 'sell', 413: 'everyone', 414: 'makes', 415: 'gimme', 416: 'wanted', 417: 'stuff', 418: 'care', 419: 'pay', 420: 'beautiful', 421: 'edna', 422: 'yourself', 423: 'pick', 424: 'hurt', 425: 'dinner', 426: 'save', 427: 'left', 428: 'went', 429: 'smithers', 430: 'quickly', 431: 'tough', 432: 'mouth', 433: 'pal', 434: 'worry', 435: 'sad', 436: 'tipsy', 437: 'points', 438: "you'd", 439: 'knew', 440: 'own', 441: 'dead', 442: 'funny', 443: 'till', 444: 'win', 445: 'gave', 446: 'heard', 447: 'hoo', 448: 'break', 449: 'quit', 450: 'skinner', 451: 'tomorrow', 452: 'gets', 453: 'hate', 454: 'excited', 455: 'fine', 456: 'came', 457: 'hi', 458: 'dog', 459: 'die', 460: 'eyes', 461: 'booze', 462: 'feeling', 463: 'camera', 464: 'told', 465: 'sign', 466: 'school', 467: 'ladies', 468: 'drinking', 469: 'saw', 470: "aren't", 471: 'hands', 472: 'mad', 473: 'gone', 474: 'forget', 475: 'gasp', 476: 'easy', 477: "couldn't", 478: 'loser', 479: 'kirk_van_houten:', 480: 'jacques:', 481: 'kinda', 482: 'hand', 483: 'artie_ziff:', 484: 'mom', 485: 'clean', 486: 'twenty', 487: 'eat', 488: 'small', 489: 'sir', 490: 'nuts', 491: 'bring', 492: 'fire', 493: 'alcohol', 494: 'super', 495: 'flaming', 496: 'fight', 497: 'surprised', 498: 'noises', 499: 'krusty', 500: 'drive', 501: 'seven', 502: 'anyone', 503: 'cash', 504: 'calling', 505: 'without', 506: 'million', 507: 'loves', 508: 'room', 509: 'date', 510: 'barflies:', 511: 'burn', 512: 'read', 513: 'anyway', 514: 'low', 515: 'door', 516: "we'll", 517: "lookin'", 518: 'sadly', 519: 'gentlemen', 520: "talkin'", 521: "y'know", 522: 'course', 523: 'six', 524: "wasn't", 525: 'chance', 526: 'tape', 527: 'coming', 528: 'upset', 529: 'trouble', 530: "doesn't", 531: "drinkin'", 532: 'geez', 533: 'cut', 534: 'seymour', 535: 'happen', 536: 'bartender', 537: 'called', 538: "haven't", 539: "somethin'", 540: 'already', 541: 'turns', 542: 'behind', 543: 'high', 544: 'dear', 545: 'each', 546: 'professor_jonathan_frink:', 547: 'problems', 548: 'meet', 549: 'blame', 550: 'start', 551: 'sing', 552: 'change', 553: 'realizing', 554: 'uh-oh', 555: 'steal', 556: 'eye', 557: 'spend', 558: 'end', 559: 'close', 560: 'quiet', 561: 'wiggum', 562: 'song', 563: 'sigh', 564: 'crazy', 565: 'm', 566: 'works', 567: 'the_rich_texan:', 568: 'worried', 569: "gettin'", 570: 'moan', 571: 'throat', 572: 'stay', 573: 'straight', 574: 'heart', 575: "it'll", 576: 'whole', 577: 'machine', 578: 'worse', 579: 'mmmm', 580: 'whatever', 581: 'snake_jailbird:', 582: 'dump', 583: ':', 584: 'war', 585: 'keys', 586: 'lady', 587: 'hot', 588: 'talking', 589: 'stand', 590: 'learn', 591: 'outside', 592: 'ugly', 593: 'hours', 594: 'disgusted', 595: 'watching', 596: 'self', 597: 'least', 598: 'bottle', 599: 'larry:', 600: 'trying', 601: 'fun', 602: 'bar_rag:', 603: 'live', 604: 'shocked', 605: 'stick', 606: 'far', 607: 'front', 608: 'lousy', 609: 'barflies', 610: 'bit', 611: 'mother', 612: 'else', 613: 'crowd:', 614: "'bout", 615: 'thousand', 616: 'anymore', 617: 'goodbye', 618: 'less', 619: 'ma', 620: 'light', 621: 'turned', 622: 'joe', 623: 'alive', 624: 'young', 625: 'person', 626: 'delete', 627: 'drinks', 628: 'may', 629: 'whip', 630: 'playing', 631: 'pull', 632: 'annoyed', 633: 'morning', 634: 'marriage', 635: 'special', 636: 'such', 637: 'late', 638: 'perfect', 639: 'point', 640: 'air', 641: 'tsk', 642: 'ten', 643: "shouldn't", 644: 'probably', 645: 'married', 646: 'private', 647: 'either', 648: 'bowl', 649: 'gasps', 650: 'police', 651: 'times', 652: 'blue', 653: 'girls', 654: 'butt', 655: 'apu', 656: 'heh', 657: 'thinks', 658: 'year', 659: 'soon', 660: 'poor', 661: 'learned', 662: 'greatest', 663: 'second', 664: 'card', 665: 'arm', 666: 'duffman', 667: 'boys', 668: 'found', 669: 'cool', 670: 'instead', 671: 'taking', 672: "how'd", 673: 'store', 674: 'later', 675: 'knows', 676: 'turning', 677: 'anybody', 678: 'rev', 679: 'nods', 680: 'shotgun', 681: 'boxing', 682: 'eight', 683: 'moron', 684: 'picture', 685: 'smell', 686: 'join', 687: 'couple', 688: 'feet', 689: 'fifty', 690: 'american', 691: 'shot', 692: 'goes', 693: 'buddy', 694: 'pig', 695: 'christmas', 696: 'nothing', 697: 'barn', 698: 'lucky', 699: 'yet', 700: 'mind', 701: 'president', 702: 'letter', 703: 'throw', 704: 'miss', 705: 'beers', 706: 'angry', 707: 'minutes', 708: 'king', 709: 'uh-huh', 710: 'blood', 711: 'mayor_joe_quimby:', 712: 'ass', 713: 'goodnight', 714: 'ticket', 715: 'youse', 716: 'jacques', 717: 'walk', 718: 'both', 719: 'patty_bouvier:', 720: 'agnes_skinner:', 721: 'open', 722: 'lemme', 723: 'tab', 724: 'alone', 725: 'kick', 726: 'exactly', 727: 'box', 728: 'serious', 729: 'deal', 730: 'alright', 731: 'seat', 732: 'son', 733: "he'll", 734: 'together', 735: 'semicolon', 736: 'crap', 737: 'street', 738: 'peanuts', 739: 'ned', 740: 'tap', 741: 'sitting', 742: 'making', 743: "ol'", 744: 'english', 745: 'inside', 746: 'damn', 747: 'warmly', 748: 'o', 749: 'forever', 750: 'means', 751: 'etc', 752: 'though', 753: 'saying', 754: 'sotto', 755: 'la', 756: 'lucius:', 757: 'human', 758: 'wire', 759: 'kiss', 760: 'move', 761: 'pour', 762: 'fast', 763: 'walking', 764: 'number', 765: 'japanese', 766: 'hide', 767: 'food', 768: 'telling', 769: 'finally', 770: 'homie', 771: 'plant', 772: 'friendly', 773: 'glove', 774: 'ready', 775: 'happier', 776: "kiddin'", 777: 'afraid', 778: 'young_marge:', 779: 'days', 780: 'word', 781: 'terrible', 782: 'seems', 783: 'city', 784: 'scared', 785: 'run', 786: 'grampa', 787: 'plus', 788: 'welcome', 789: 'top', 790: 'glad', 791: 'mrs', 792: 'words', 793: 'proudly', 794: 'story', 795: 'ha', 796: 'dry', 797: 'collette:', 798: 'ball', 799: 'himself', 800: 'intrigued', 801: 'black', 802: 'send', 803: 'hang', 804: 'paint', 805: 'butts', 806: 'huge', 807: 'horrible', 808: 'advice', 809: 'weird', 810: 'accident', 811: 'eggs', 812: 'nine', 813: 'amazed', 814: 'dance', 815: 'narrator:', 816: 'favorite', 817: 'return', 818: 'comic_book_guy:', 819: 'fellas', 820: 'round', 821: 'losers', 822: 'rummy', 823: 'moans', 824: 'channel', 825: 'cold', 826: 'news', 827: 'somebody', 828: 'using', 829: 'smile', 830: 'table', 831: 'broke', 832: 'full', 833: 'hmm', 834: 'selma_bouvier:', 835: 'screw', 836: "makin'", 837: 's', 838: 'ahh', 839: 'warm_female_voice:', 840: 'renee:', 841: 'lives', 842: 'health', 843: 'belch', 844: 'bet', 845: 'week', 846: 'omigod', 847: 'flanders', 848: 'touched', 849: 'plan', 850: 'water', 851: 'sent', 852: 'hard', 853: 'won', 854: 'class', 855: 'ones', 856: 'half', 857: 'worst', 858: 'smells', 859: 'eating', 860: 'crack', 861: 'birthday', 862: 'health_inspector:', 863: "that'll", 864: 'group', 865: 'hair', 866: 'bitter', 867: 'sex', 868: 'principal', 869: 'stool', 870: 'szyslak', 871: "sayin'", 872: 'across', 873: 'tip', 874: 'bag', 875: 'denver', 876: 'baseball', 877: 'fat_tony:', 878: 'lowers', 879: 'manjula_nahasapeemapetilon:', 880: 'gumbel', 881: 'dumb', 882: 'invented', 883: 'takes', 884: 'tune', 885: 'lying', 886: 'slap', 887: 'jukebox', 888: 'safe', 889: 'except', 890: 'men', 891: 'company', 892: 'maya:', 893: 'harv:', 894: 'kent', 895: 'supposed', 896: 'thirty', 897: 'al', 898: 'dangerous', 899: 'bow', 900: 'sips', 901: 'loved', 902: 'holds', 903: 'treasure', 904: 'desperate', 905: 'princess', 906: 'joey', 907: 'dunno', 908: 'tony', 909: 'truth', 910: 'uncle', 911: 'numbers', 912: 'forgot', 913: 'normal', 914: 'brought', 915: 'walther_hotenhoffer:', 916: 'sick', 917: 'strong', 918: 'milk', 919: 'giving', 920: 'write', 921: 'honey', 922: 'state', 923: 'nigel_bakerbutcher:', 924: 'fill', 925: 'pass', 926: 'mister', 927: 'admit', 928: 'power', 929: "we'd", 930: 'along', 931: 'became', 932: 'charge', 933: 'music', 934: 'same', 935: 'seconds', 936: 'impressed', 937: 'young_homer:', 938: 'rat', 939: 'football_announcer:', 940: '_julius_hibbert:', 941: 'hit', 942: 'laughing', 943: 'tinkle', 944: 'holding', 945: 'plastic', 946: 'gives', 947: 'shall', 948: 'early', 949: 'star', 950: 'romantic', 951: 'set', 952: 'honest', 953: 'heaven', 954: 'fall', 955: 'slow', 956: 'quick', 957: 'gold', 958: 'ice', 959: 'hank_williams_jr', 960: 'lou:', 961: 'speaking', 962: 'hanging', 963: 'fingers', 964: 'punch', 965: 'names', 966: 'disappointed', 967: 'brockman', 968: 'mouse', 969: 'announcer:', 970: 'unless', 971: 'exasperated', 972: 'joint', 973: 'detective_homer_simpson:', 974: 'dame', 975: 'few', 976: 'yep', 977: 'yea', 978: 'calm', 979: 'survive', 980: "one's", 981: 'p', 982: 'cleaned', 983: 'i-i', 984: 'handsome', 985: 'chanting', 986: 'also', 987: 'confused', 988: 'america', 989: 'cost', 990: 'nuclear', 991: 'hated', 992: 'pool', 993: 'beach', 994: 'beloved', 995: 'biggest', 996: 'owe', 997: 'third', 998: 'ago', 999: 'broad', 1000: 'lloyd:', 1001: 'bee', 1002: 'wall', 1003: 'african', 1004: 'center', 1005: 'wonder', 1006: 'hopeful', 1007: 'ashamed', 1008: 'all:', 1009: 'lord', 1010: "callin'", 1011: 'favor', 1012: "guy's", 1013: 'writing', 1014: 'catch', 1015: 'french', 1016: 'soul', 1017: 'jerks', 1018: 'local', 1019: 'children', 1020: "world's", 1021: 'wonderful', 1022: 'invited', 1023: 'stunned', 1024: 'totally', 1025: 'artie', 1026: 'until', 1027: 'given', 1028: 'doubt', 1029: 'side', 1030: 'short', 1031: 'wheel', 1032: 'dallas', 1033: 'red', 1034: "sittin'", 1035: 'hospital', 1036: 'having', 1037: 'speak', 1038: 'tired', 1039: 'lessons', 1040: 'park', 1041: 'empty', 1042: 'little_man:', 1043: "workin'", 1044: 'dude', 1045: 'represent', 1046: 'swear', 1047: 'adult_bart:', 1048: 'rest', 1049: 'clears', 1050: 'filthy', 1051: 'games', 1052: 'clear', 1053: 'nein', 1054: 'part', 1055: "tellin'", 1056: 'dying', 1057: 'jack', 1058: 'cop', 1059: 'puzzled', 1060: 'designated', 1061: 'pipe', 1062: 'proud', 1063: "i'm-so-stupid", 1064: 'coaster', 1065: 'truck', 1066: "lisa's", 1067: 'clown', 1068: 'cow', 1069: 'fish', 1070: 'act', 1071: "how's", 1072: 'shaking', 1073: "tryin'", 1074: 'rope', 1075: 'grand', 1076: 'suit', 1077: 'government', 1078: 'daddy', 1079: 'suddenly', 1080: 'nineteen', 1081: 'surgery', 1082: 'pop', 1083: 'gay', 1084: 'tongue', 1085: 'tv_wife:', 1086: 'running', 1087: 'selma', 1088: 'counting', 1089: 'sober', 1090: 'offended', 1091: 'driving', 1092: 'changing', 1093: 'pity', 1094: 'movie', 1095: 'sauce', 1096: 'caught', 1097: 'service', 1098: 'suicide', 1099: 'x', 1100: 'club', 1101: 'wrote', 1102: 'cheer', 1103: 'fellow', 1104: 'mike', 1105: 'against', 1106: 'cutting', 1107: 'women', 1108: 'longer', 1109: 'closed', 1110: 'shirt', 1111: 'accent', 1112: 'named', 1113: 'during', 1114: 'bender:', 1115: 'treat', 1116: 'piece', 1117: 'mayor', 1118: 'tv_husband:', 1119: 'jar', 1120: 'testing', 1121: "drivin'", 1122: 'felt', 1123: 'chug', 1124: 'ad', 1125: 'jeez', 1126: 'window', 1127: 'mine', 1128: "he'd", 1129: 'thumb', 1130: 'duh', 1131: 'brilliant', 1132: 'sunday', 1133: 'tree', 1134: 'college', 1135: 'saved', 1136: 'strap', 1137: 'sharps', 1138: 'edna_krabappel-flanders:', 1139: 'dank', 1140: 'none', 1141: 'sob', 1142: 'deer', 1143: 'troll', 1144: '_hooper:', 1145: 'wallet', 1146: 'man:', 1147: 'glasses', 1148: 'billy_the_kid:', 1149: 'bed', 1150: 'evening', 1151: 'absolutely', 1152: 'glen:', 1153: 'luck', 1154: '_zander:', 1155: 'customers', 1156: 'asked', 1157: 'quietly', 1158: 'drederick', 1159: 'stories', 1160: 'speech', 1161: 'lose', 1162: 'wine', 1163: 'needs', 1164: 'isotopes', 1165: 'boring', 1166: "smokin'_joe_frazier:", 1167: 'horrified', 1168: 'wha', 1169: 'bank', 1170: 'career', 1171: 'vance', 1172: 'rich', 1173: 'hoping', 1174: 'calls', 1175: 'yesterday', 1176: 'starts', 1177: 'computer', 1178: 'original', 1179: 'meeting', 1180: 'adeleine', 1181: 'dan_gillick:', 1182: 'husband', 1183: 'father', 1184: 'clothes', 1185: 'stirring', 1186: 'arrest', 1187: 'garbage', 1188: 'woman:', 1189: 'amazing', 1190: 'rather', 1191: 'train', 1192: 'fan', 1193: 'brain', 1194: 'lotta', 1195: 'boat', 1196: 'bars', 1197: 'hurry', 1198: 'pickle', 1199: 'professional', 1200: 'egg', 1201: 'couch', 1202: 'billboard', 1203: 'weekly', 1204: 'snake', 1205: "moe's_thoughts:", 1206: 'threw', 1207: 'case', 1208: 'line', 1209: 'working', 1210: 'answer', 1211: 'fifteen', 1212: 'amid', 1213: 're:', 1214: 'buffalo', 1215: 'thoughtful', 1216: 'different', 1217: 'sports', 1218: 'pickled', 1219: 'figured', 1220: 'teach', 1221: 'burps', 1222: 'dang', 1223: "watchin'", 1224: 'wally:', 1225: 'match', 1226: 'partner', 1227: 'chick', 1228: "buyin'", 1229: 'pulls', 1230: 'arms', 1231: 'minimum', 1232: 'ahead', 1233: 'character', 1234: 'gin', 1235: 'tail', 1236: 'jerk', 1237: 'gas', 1238: 'spot', 1239: "carl's", 1240: 'finding', 1241: 'dramatic', 1242: 'ominous', 1243: "what'll", 1244: 'sense', 1245: "livin'", 1246: 'knock', 1247: 'trip', 1248: 'upbeat', 1249: 'rag', 1250: 'therapy', 1251: 'fridge', 1252: 'choice', 1253: 'question', 1254: 'correct', 1255: 'ooo', 1256: 'cable', 1257: 'radishes', 1258: 'usually', 1259: 'pitcher', 1260: 'breath', 1261: 'neck', 1262: 'pulled', 1263: 'plow', 1264: 'meaningful', 1265: 'market', 1266: 'smooth', 1267: "today's", 1268: 'enjoy', 1269: 'heavyweight', 1270: 'pipes', 1271: 'coat', 1272: 'buttons', 1273: 'embarrassed', 1274: 'situation', 1275: 'sheepish', 1276: 'understand', 1277: 'amanda', 1278: 'south', 1279: 'pointed', 1280: 'bye', 1281: 'teenage_barney:', 1282: 'sincere', 1283: 'needed', 1284: 'moment', 1285: 'sexy', 1286: 'hungry', 1287: 'sold', 1288: 'yap', 1289: 'whisper', 1290: 'precious', 1291: 'dollar', 1292: 'keeps', 1293: 'bees', 1294: 'blow', 1295: 'folks', 1296: 'cries', 1297: 'girlfriend', 1298: 'address', 1299: 'sarcastic', 1300: 'awkward', 1301: 'whaddaya', 1302: 'belches', 1303: "dad's", 1304: 'procedure', 1305: 'yellow', 1306: 'flips', 1307: 'band', 1308: 'dennis_conroy:', 1309: 'wear', 1310: 'opportunity', 1311: 'new_health_inspector:', 1312: 'quite', 1313: 'mug', 1314: 'respect', 1315: 'months', 1316: 'frustrated', 1317: 'secrets', 1318: 'burp', 1319: 'monster', 1320: 'u', 1321: 'kidding', 1322: 'foibles', 1323: 'ken:', 1324: 'deep', 1325: 'hits', 1326: 'restaurant', 1327: 'cover', 1328: 'almost', 1329: 'ivana', 1330: 'senator', 1331: 'body', 1332: 'illegal', 1333: 'yard', 1334: 'renee', 1335: 'hugh:', 1336: 'lie', 1337: 'flower', 1338: 'betty:', 1339: "everyone's", 1340: 'pit', 1341: 'drug', 1342: 'sister', 1343: 'agent', 1344: "valentine's", 1345: 'movies', 1346: 'castle', 1347: 'bald', 1348: 'closing', 1349: 'hero', 1350: 'ruined', 1351: 'whee', 1352: 'nose', 1353: 'test', 1354: 'twins', 1355: 'grim', 1356: 'championship', 1357: 'clearly', 1358: 'sit', 1359: 'tom', 1360: 'pain', 1361: 'forty', 1362: 'à', 1363: 'fbi', 1364: 'france', 1365: 'lips', 1366: 'furious', 1367: "o'clock", 1368: 'sees', 1369: 'tatum', 1370: 'sly', 1371: 'hm', 1372: 'legs', 1373: 'stillwater:', 1374: 'rotch', 1375: 'bottom', 1376: 'sits', 1377: 'huggenkiss', 1378: 'eleven', 1379: 'stagy', 1380: 'ride', 1381: 'sobbing', 1382: 'stock', 1383: 'twelve', 1384: 'polite', 1385: 'selling', 1386: 'pleased', 1387: "bein'", 1388: 'island', 1389: 'domestic', 1390: 'gotten', 1391: 'smiling', 1392: 'magic', 1393: 'flowers', 1394: 'chocolate', 1395: 'bill', 1396: 'hans:', 1397: 'seem', 1398: 'follow', 1399: 'died', 1400: 'forget-me-shot', 1401: 'especially', 1402: "they've", 1403: 'finger', 1404: 'field', 1405: 'books', 1406: 'road', 1407: 'distraught', 1408: 'rob', 1409: 'explaining', 1410: 'pub', 1411: "who'll", 1412: 'able', 1413: 'started', 1414: 'raises', 1415: 'david_byrne:', 1416: 'loaded', 1417: 'fix', 1418: 'guns', 1419: 'ingredient', 1420: 'eddie:', 1421: 'feels', 1422: 'babies', 1423: 'beauty', 1424: 'video', 1425: "o'problem", 1426: 'liver', 1427: 'senators', 1428: 'milhouse_van_houten:', 1429: 'drivers', 1430: 'teenage_bart:', 1431: 'cares', 1432: 'offer', 1433: 'busy', 1434: 'scream', 1435: 'shows', 1436: 'ourselves', 1437: 'declan_desmond:', 1438: 'burt', 1439: 'whiny', 1440: 'har', 1441: 'motel', 1442: 'label', 1443: 'turkey', 1444: "they'll", 1445: 'palmerston', 1446: 'belly', 1447: 'recommend', 1448: 'beginning', 1449: 'singers:', 1450: 'feelings', 1451: 'hates', 1452: 'mudflap', 1453: 'uncomfortable', 1454: 'aww', 1455: 'toys', 1456: 'workers', 1457: 'team', 1458: 'pointing', 1459: 'bike', 1460: 'suppose', 1461: "they'd", 1462: 'system', 1463: 'ground', 1464: 'glen', 1465: 'cannot', 1466: 'alley', 1467: 'knocked', 1468: 'bunch', 1469: 'junior', 1470: 'switch', 1471: 'wide', 1472: 'its', 1473: 'doors', 1474: 'parking', 1475: 'searching', 1476: 'understanding', 1477: 'delighted', 1478: 'fact', 1479: "year's", 1480: 'checks', 1481: 'lots', 1482: 'andy', 1483: 'feed', 1484: 'holiday', 1485: 'suck', 1486: 'delicious', 1487: 'concerned', 1488: 'barney-shaped_form:', 1489: 'compliment', 1490: 'ordered', 1491: 'mel', 1492: 'perhaps', 1493: 'elder', 1494: 'crowd', 1495: 'pained', 1496: 'german', 1497: 'attention', 1498: 'slip', 1499: 'sadder', 1500: 'bitterly', 1501: 'whatcha', 1502: 'pathetic', 1503: 'age', 1504: "i-i'm", 1505: 'sniffs', 1506: 'roll', 1507: 'hole', 1508: 'pats', 1509: 'fraud', 1510: 'jamaican', 1511: 'pissed', 1512: 'crime', 1513: "c'mere", 1514: 'become', 1515: 'fool', 1516: 'prime', 1517: 'peach', 1518: 'teeth', 1519: 'evil', 1520: "'til", 1521: 'shape', 1522: 'idiot', 1523: 'struggling', 1524: 'law', 1525: 'nation', 1526: 'tradition', 1527: "where'd", 1528: 'lottery', 1529: 'seeing', 1530: 'accept', 1531: 'hall', 1532: 'fault', 1533: 'touchdown', 1534: 'jump', 1535: 'crawl', 1536: 'raising', 1537: 'push', 1538: 'flatly', 1539: 'indignant', 1540: 'grunt', 1541: 'finest', 1542: 'banks', 1543: 'tells', 1544: 'endorse', 1545: 'powerful', 1546: 'innocent', 1547: 'church', 1548: 'button', 1549: "wife's", 1550: 'international', 1551: 'hug', 1552: 'born', 1553: 'rough', 1554: 'miserable', 1555: 'pays', 1556: 'cameras', 1557: 'scene', 1558: 'peace', 1559: 'twenty-five', 1560: 'texas', 1561: 'looked', 1562: 'k', 1563: 'relax', 1564: 'foot', 1565: 'source', 1566: 'rub', 1567: 'yo', 1568: 'entire', 1569: 'greystash', 1570: 'wearing', 1571: 'consider', 1572: 'dirt', 1573: 'fans', 1574: 'cents', 1575: 'lately', 1576: 'bus', 1577: "bart's", 1578: 'leans', 1579: "men's", 1580: 'hurts', 1581: 'cocktail', 1582: 'sexual', 1583: 'paying', 1584: 'size', 1585: 'severe', 1586: 'ridiculous', 1587: 'lindsay_naegle:', 1588: 'single', 1589: 'covering', 1590: 'burning', 1591: 'moments', 1592: 'hunter', 1593: 'harv', 1594: 'uneasy', 1595: 'backwards', 1596: 'staying', 1597: "stinkin'", 1598: "could've", 1599: 'scotch', 1600: 'fireball', 1601: 'sweetly', 1602: 'noticing', 1603: 'odd', 1604: 'hilarious', 1605: 'serve', 1606: 'yee-haw', 1607: 'pocket', 1608: 'gary_chalmers:', 1609: 'ancient', 1610: 'changed', 1611: 'above', 1612: 'midnight', 1613: 'gary:', 1614: 'meant', 1615: 'scam', 1616: 'thankful', 1617: 'unlike', 1618: 'ring', 1619: 'brother', 1620: 'puff', 1621: 'james', 1622: 'traffic', 1623: 'middle', 1624: 'met', 1625: 'sadistic_barfly:', 1626: 'cute', 1627: 'tastes', 1628: 'dynamite', 1629: 'edison', 1630: 'history', 1631: 'challenge', 1632: 'stools', 1633: 'happily', 1634: 'milhouse', 1635: 'mafia', 1636: 'natural', 1637: 'reason', 1638: 'image', 1639: 'despite', 1640: 'fly', 1641: 'coffee', 1642: 'book_club_member:', 1643: 'vomit', 1644: 'future', 1645: 'stopped', 1646: 'tried', 1647: 'kept', 1648: "seein'", 1649: 'floor', 1650: 'f', 1651: 'der', 1652: 'ho', 1653: 'enemies', 1654: 'shove', 1655: 'military', 1656: 'comfortable', 1657: 'following', 1658: 'grabs', 1659: 'vegas', 1660: 'midge', 1661: 'rats', 1662: 'losing', 1663: 'scum', 1664: 'spit', 1665: 'tv_father:', 1666: 'toss', 1667: 'unlucky', 1668: 'who-o-oa', 1669: 'dive', 1670: 'buying', 1671: 'closer', 1672: 'taken', 1673: 'literature', 1674: 'register', 1675: 'bought', 1676: 'frankly', 1677: 'season', 1678: 'diet', 1679: 'crank', 1680: 'bret:', 1681: 'puke', 1682: 'peter', 1683: 'moved', 1684: 'mock', 1685: "barney's", 1686: 'stayed', 1687: 'nards', 1688: 'knowing', 1689: 'cigarette', 1690: 'terrified', 1691: 'general', 1692: 'stole', 1693: 'step', 1694: 'spinning', 1695: 'teenage', 1696: 'defensive', 1697: 'heads', 1698: 'modern', 1699: 'nobel', 1700: 'cards', 1701: 'aside', 1702: 'wiener', 1703: 'sec', 1704: 'awful', 1705: 'election', 1706: 'enemy', 1707: 'mechanical', 1708: 'likes', 1709: 'covers', 1710: 'coney', 1711: 'marvin', 1712: '&', 1713: 'incredulous', 1714: 'hmmm', 1715: 'expect', 1716: 'brains', 1717: 'whose', 1718: 'ran', 1719: 'imagine', 1720: 'dressed', 1721: "havin'", 1722: 'al_gore:', 1723: 'bowling', 1724: 'kissing', 1725: 'sisters', 1726: 'cheap', 1727: '_kissingher:', 1728: 'bite', 1729: 'snort', 1730: 'starting', 1731: 'share', 1732: 'operation', 1733: 'toward', 1734: 'higher', 1735: 'glum', 1736: 'jesus', 1737: 'cough', 1738: 'darts', 1739: 'weak', 1740: 'r', 1741: 'killed', 1742: 'men:', 1743: 'fourth', 1744: 'clientele', 1745: 'fumes', 1746: 'reminds', 1747: 'worked', 1748: 'screams', 1749: 'kwik-e-mart', 1750: "ridin'", 1751: 'extra', 1752: 'complete', 1753: 'mistake', 1754: 'leg', 1755: 'tears', 1756: 'sometime', 1757: 'list', 1758: 'popular', 1759: 'wooooo', 1760: 'hiya', 1761: 'kermit', 1762: 'finished', 1763: 'loan', 1764: 'sleep', 1765: 'pockets', 1766: 'ruin', 1767: 'cheers', 1768: 'then:', 1769: 'fork', 1770: 'anniversary', 1771: 'grunts', 1772: 'subject', 1773: 'inspector', 1774: 'pfft', 1775: 'order', 1776: 'reads', 1777: 'public', 1778: 'army', 1779: 'woo-hoo', 1780: 'gag', 1781: 'lonely', 1782: 'casual', 1783: 'double', 1784: 'tips', 1785: 'child', 1786: 'upon', 1787: '_babcock:', 1788: 'fritz:', 1789: 'spoken', 1790: 'celebrities', 1791: 'threatening', 1792: 'saturday', 1793: 'boo', 1794: 'wipe', 1795: 'chinese', 1796: 'talk-sings', 1797: 'drop', 1798: 'corpses', 1799: 'snaps', 1800: "kids'", 1801: 'wasting', 1802: 'spanish', 1803: 'checking', 1804: 'l', 1805: '_timothy_lovejoy:', 1806: 'bright', 1807: 'salad', 1808: 'helicopter', 1809: 'inspection', 1810: "gentleman's", 1811: 'drunks', 1812: 'focus', 1813: 'hour', 1814: 'somewhere', 1815: 'toilet', 1816: 'gift', 1817: 'ziffcorp', 1818: 'fair', 1819: 'sniffles', 1820: 'frink', 1821: 'sixty-nine', 1822: 'showing', 1823: 'letters', 1824: 'troy:', 1825: 'pardon', 1826: 'bob', 1827: 'thoughts', 1828: 'root', 1829: 'gently', 1830: 'fever', 1831: 'sec_agent_#1:', 1832: 'campaign', 1833: 'summer', 1834: 'panicky', 1835: 'chest', 1836: 'oil', 1837: 'anguished', 1838: 'driver', 1839: 'sucked', 1840: "robbin'", 1841: 'opening', 1842: 'clone', 1843: 'exhaust', 1844: 'theater', 1845: 'prank', 1846: 'british', 1847: 'text', 1848: 'trust', 1849: 'twenty-two', 1850: 'walks', 1851: 'stadium', 1852: 'exit', 1853: 'bless', 1854: 'embarrassing', 1855: 'jail', 1856: 'gal', 1857: 'toasting', 1858: 'played', 1859: 'corner', 1860: 'unison', 1861: 'per', 1862: 'past', 1863: 'dancing', 1864: 'religion', 1865: 'shares', 1866: 'death', 1867: 'accurate', 1868: 'careful', 1869: 'bar-boy', 1870: 'ohmygod', 1871: 'pageant', 1872: 'jack_larson:', 1873: 'directions', 1874: 'pause', 1875: 'afternoon', 1876: 'wayne:', 1877: 'license', 1878: 'paris', 1879: 'shoot', 1880: "lenny's", 1881: 'fancy', 1882: 'film', 1883: 'grabbing', 1884: 'spending', 1885: 'kang:', 1886: 'grow', 1887: 'breaking', 1888: 'invite', 1889: 'weeks', 1890: 'jolly', 1891: 'coach:', 1892: 'guest', 1893: 'customer', 1894: 'keeping', 1895: 'crummy', 1896: 'rid', 1897: 'afford', 1898: 'form', 1899: 'program', 1900: 'karaoke', 1901: 'cent', 1902: 'superior', 1903: 'record', 1904: "team's", 1905: 'vulnerable', 1906: 'insulted', 1907: 'appear', 1908: 'corporate', 1909: 'potato', 1910: 'blues', 1911: 'thoughtfully', 1912: 'brightening', 1913: 'don', 1914: 'lovely', 1915: 'closes', 1916: 'greetings', 1917: 'written', 1918: 'prohibit', 1919: 'koi', 1920: 'alfred', 1921: 'mention', 1922: 'worth', 1923: 'irish', 1924: 'roz:', 1925: 'smile:', 1926: 'marguerite:', 1927: 'genius', 1928: 'kicked', 1929: 'murmur', 1930: 'ball-sized', 1931: 'memories', 1932: "someone's", 1933: 'someday', 1934: '_powers:', 1935: 'yelling', 1936: 'rock', 1937: 'admiration', 1938: 'yup', 1939: 'pretending', 1940: 'plans', 1941: 'duel', 1942: 'yogurt', 1943: 'writers', 1944: 'dress', 1945: 'bigger', 1946: 'beneath', 1947: 'grimly', 1948: 'wedding', 1949: 'ech', 1950: 'tabooger', 1951: "'tis", 1952: 'mob', 1953: 'sooner', 1954: 'sinister', 1955: 'neil_gaiman:', 1956: 'dryer', 1957: 'sissy', 1958: 'pleasant', 1959: 'feast', 1960: "'topes", 1961: 'belong', 1962: 'punches', 1963: 'fondly', 1964: 'solo', 1965: 'hotline', 1966: 'funds', 1967: 'draw', 1968: 'website', 1969: 'forgive', 1970: 'maya', 1971: 'level', 1972: 'festival', 1973: 'pian-ee', 1974: 'degradation', 1975: 'cream', 1976: 'routine', 1977: 'greedy', 1978: 'nearly', 1979: 'jebediah', 1980: 'space', 1981: 'multiple', 1982: 'lover', 1983: 'minister', 1984: 'hawking:', 1985: 'abandon', 1986: 'slightly', 1987: 'tommy', 1988: 'surprise', 1989: 'margarita', 1990: 'involved', 1991: 'cowardly', 1992: 'formico:', 1993: 'blown', 1994: 'outlook', 1995: 'fighting', 1996: 'ye', 1997: "springfield's", 1998: 'alphabet', 1999: 'available', 2000: 'caused', 2001: 'mcstagger', 2002: 'obvious', 2003: 'trolls', 2004: 'putting', 2005: 'befouled', 2006: 'troy', 2007: 'manjula', 2008: 'miles', 2009: 'mop', 2010: "hasn't", 2011: 'excitement', 2012: 'fixed', 2013: 'snake-handler', 2014: "father's", 2015: 'held', 2016: "what'sa", 2017: 'pressure', 2018: 'restaurants', 2019: 'snorts', 2020: 'lock', 2021: "drawin'", 2022: 'action', 2023: 'appointment', 2024: 'bedroom', 2025: 'fausto', 2026: "what're", 2027: 'code', 2028: 'un-sults', 2029: 'ahhh', 2030: 'freedom', 2031: 'certain', 2032: 'ambrosia', 2033: 'tax', 2034: 'rage', 2035: "crawlin'", 2036: 'release', 2037: 'doreen:', 2038: 'santa', 2039: 'purse', 2040: 'fold', 2041: 'energy', 2042: 'coins', 2043: 'fudd', 2044: 'partly', 2045: 'white', 2046: 'smugglers', 2047: 'friendship', 2048: 'involving', 2049: 'louder', 2050: 'sandwich', 2051: 'somehow', 2052: 'restroom', 2053: 'sleeps', 2054: 'pride', 2055: 'organ', 2056: 'sympathetic', 2057: 'gargoyle', 2058: 'crew', 2059: 'peppy', 2060: 'completing', 2061: 'amount', 2062: 'craphole', 2063: 'floated', 2064: 'africa', 2065: 'magazine', 2066: 'is:', 2067: 'shoots', 2068: 'agreement', 2069: 'boozy', 2070: 'distributor', 2071: 'shrugging', 2072: 'jumps', 2073: 'medical', 2074: 'foil', 2075: 'tries', 2076: 'darkest', 2077: 'complaining', 2078: 'porn', 2079: 'prove', 2080: 'bucket', 2081: 'male_inspector:', 2082: 'therapist', 2083: 'w', 2084: 'eyesore', 2085: 'inspiring', 2086: 'corkscrew', 2087: 'reaching', 2088: 'tang', 2089: 'trusted', 2090: 'prize', 2091: 'celebrity', 2092: 'realize', 2093: 'priest', 2094: 'corporation', 2095: 'oof', 2096: 'scare', 2097: 'filled', 2098: 'effects', 2099: 'hobo', 2100: "beer's", 2101: 'bush', 2102: 'steel', 2103: 'square', 2104: 'windex', 2105: 'labels', 2106: 'seats', 2107: 'politics', 2108: 'henry', 2109: 'yours', 2110: 'radio', 2111: 'fevered', 2112: 'wang', 2113: 'swill', 2114: 'apartment', 2115: 'playful', 2116: 'joined', 2117: 'sale', 2118: 'laws', 2119: 'force', 2120: "buffalo's", 2121: "wonderin'", 2122: 'utility', 2123: 'academy', 2124: 'self-made', 2125: 'investor', 2126: 'studio', 2127: 'fabulous', 2128: 'forward', 2129: 'bear', 2130: 'curious', 2131: 'whistles', 2132: 'drawing', 2133: 'dee-fense', 2134: 'mail', 2135: 'wash', 2136: 'attitude', 2137: 'beep', 2138: 'grandmother', 2139: "cat's", 2140: 'yards', 2141: 'gorgeous', 2142: 'anarchy', 2143: 'payments', 2144: 'generous', 2145: 'liar', 2146: 'trapped', 2147: 'rumaki', 2148: 'remains', 2149: 'beam', 2150: 'devastated', 2151: 'ziff', 2152: 'lurleen_lumpkin:', 2153: 'whether', 2154: 'exchange', 2155: 'carlson', 2156: 'd', 2157: 'contest', 2158: "homer's_brain:", 2159: 'asking', 2160: "others'", 2161: 'lenny:', 2162: "fallin'", 2163: 'vacation', 2164: '7-year-old_brockman:', 2165: 'woman_bystander:', 2166: 'duty', 2167: 'heading', 2168: 'mmm', 2169: 'lurleen', 2170: 'boyfriend', 2171: 'stationery', 2172: 'discuss', 2173: 'scully', 2174: 'ollie', 2175: 'pointless', 2176: 'reasons', 2177: 'industry', 2178: 'failed', 2179: 'bird', 2180: 'planet', 2181: 'wayne', 2182: "it'd", 2183: 'fragile', 2184: "tester's", 2185: 'grade', 2186: 'passed', 2187: 'jailbird', 2188: 'needy', 2189: 'clock', 2190: 'authorized', 2191: 'kramer', 2192: 'awesome', 2193: 'served', 2194: 'astronaut', 2195: 'danish', 2196: 'watered-down', 2197: 'murmurs', 2198: 'pirate', 2199: 'mate', 2200: 'complaint', 2201: 'lazy', 2202: 'hangs', 2203: 'freak', 2204: 'andalay', 2205: 'rounds', 2206: 'acting', 2207: 'themselves', 2208: 'refresh', 2209: 'slight', 2210: 'mcbain', 2211: 'yoo', 2212: 'joke', 2213: 'value', 2214: 'wrestling', 2215: 'bathroom', 2216: 'vote', 2217: 'arab_man:', 2218: 'motorcycle', 2219: 'media', 2220: 'barkeep', 2221: 'shoulder', 2222: 'raccoons', 2223: 'shutting', 2224: 'honored', 2225: 'nigeria', 2226: 'kyoto', 2227: 'dials', 2228: 'teenage_homer:', 2229: 'kindly', 2230: 'although', 2231: 'safer', 2232: 'knees', 2233: 'ripcord', 2234: 'comic', 2235: 'coward', 2236: 'considering', 2237: 'began', 2238: 'patty', 2239: 'waltz', 2240: 'disgrace', 2241: 'achem', 2242: "waitin'", 2243: 'allowed', 2244: 'detecting', 2245: "bar's", 2246: 'moe-clone:', 2247: 'expert', 2248: 'mixed', 2249: 'neither', 2250: 'standards', 2251: 'professor', 2252: 'sector', 2253: 'bums', 2254: 'informant', 2255: 'wangs', 2256: 'nudge', 2257: 'fritz', 2258: 'excellent', 2259: 'tanked-up', 2260: 'combine', 2261: 'brewed', 2262: 'so-called', 2263: 'hibbert', 2264: 'plywood', 2265: 'european', 2266: 'ocean', 2267: 'chicks', 2268: 'soap', 2269: 'museum', 2270: 'helen', 2271: 'laramie', 2272: 'present', 2273: 'seemed', 2274: 'smoke', 2275: 'morlocks', 2276: 'manager', 2277: 'rap', 2278: 'mess', 2279: 'insightful', 2280: 'frosty', 2281: 'fanciest', 2282: 'smug', 2283: 'blend', 2284: 'aging', 2285: 'clinton', 2286: 'cake', 2287: 'photo', 2288: 'slice', 2289: 'chase', 2290: 'bedbugs', 2291: 'brothers', 2292: 'pope', 2293: 'recently', 2294: 'snap', 2295: "payin'", 2296: 'solid', 2297: 'trench', 2298: 'mona_simpson:', 2299: 'shooting', 2300: 'ayyy', 2301: 'scrape', 2302: 'interested', 2303: 'message', 2304: 'cheery', 2305: 'prepared', 2306: 'monkey', 2307: 'wondering', 2308: 'goods', 2309: 'anywhere', 2310: 'charity', 2311: 'sec_agent_#2:', 2312: 'onions', 2313: 'actors', 2314: 'decency', 2315: 'therefore', 2316: 'choking', 2317: 'hollywood', 2318: 'david', 2319: 'aged_moe:', 2320: 'thirteen', 2321: 'regret', 2322: 'voice:', 2323: 'teams', 2324: 'grab', 2325: 'bully', 2326: 'confident', 2327: 'giggles', 2328: 'falcons', 2329: 'bread', 2330: 'passion', 2331: 'ale', 2332: 'poking', 2333: 'bastard', 2334: 'promised', 2335: 'price', 2336: 'smoothly', 2337: 'plum', 2338: 'patient', 2339: 'willy', 2340: 'justice', 2341: 'calmly', 2342: "hadn't", 2343: 'jerry', 2344: 'deacon', 2345: 'standing', 2346: 'wave', 2347: 'managing', 2348: 'grumpy', 2349: 'neighbor', 2350: 'famous', 2351: 'placing', 2352: 'dreamed', 2353: 'elephants', 2354: 'listening', 2355: 'stealings', 2356: 'shaken', 2357: 'thru', 2358: 'appealing', 2359: 'sabermetrics', 2360: 'crying', 2361: 'cops', 2362: 'satisfaction', 2363: 'ha-ha', 2364: 'lloyd', 2365: 'cruel', 2366: 'blood-thirsty', 2367: 'nope', 2368: 'linda', 2369: 'wake', 2370: 'commission', 2371: 'punk', 2372: 'stern', 2373: 'ironed', 2374: 'tv_announcer:', 2375: 'schnapps', 2376: 'securities', 2377: 'familiar', 2378: 'suspect', 2379: 'mm', 2380: 'poet', 2381: 'handle', 2382: 'sat', 2383: 'sweetheart', 2384: 'babe', 2385: 'ginger', 2386: 'lights', 2387: 'knife', 2388: 'thighs', 2389: 'violations', 2390: 'brow', 2391: 'virtual', 2392: 'sea', 2393: 'hats', 2394: 'pleading', 2395: 'dismissive', 2396: 'pitch', 2397: 'bubble', 2398: 'deadly', 2399: 'shakespeare', 2400: 'queen', 2401: 'results', 2402: "showin'", 2403: 'dessert', 2404: 'hunting', 2405: 'raise', 2406: 'zero', 2407: 'bathing', 2408: "ma'am", 2409: 'frog', 2410: 'tick', 2411: 'mall', 2412: 'stir', 2413: '6', 2414: 'jockey', 2415: 'pleasure', 2416: 'brassiest', 2417: 'spent', 2418: 'roof', 2419: 'deliberate', 2420: 'poker', 2421: 'violin', 2422: "dyin'", 2423: "patrick's", 2424: 'awed', 2425: 'tofu', 2426: 'lowering', 2427: 'wolfe', 2428: 'poem', 2429: 'changes', 2430: "bartender's", 2431: 'painting', 2432: 'vodka', 2433: 'rules', 2434: 'boxing_announcer:', 2435: 'plenty', 2436: 'homers', 2437: 'product', 2438: 'prefer', 2439: 'doug:', 2440: 'flying', 2441: 'straining', 2442: 'towed', 2443: 'quotes', 2444: 'handing', 2445: 't-shirt', 2446: "maggie's", 2447: 'warily', 2448: "pope's", 2449: 'angel', 2450: 'steak', 2451: 'awww', 2452: "children's", 2453: 'social', 2454: 'reliable', 2455: 'yourselves', 2456: 'products', 2457: 'waylon', 2458: 'advance', 2459: 'bride', 2460: 'stinks', 2461: 'village', 2462: 'gang', 2463: 'explain', 2464: 'bourbon', 2465: 'belt', 2466: 'extremely', 2467: 'doll', 2468: 'dennis_kucinich:', 2469: 'underpants', 2470: 'wins', 2471: 'peanut', 2472: 'reserve', 2473: 'scary', 2474: 'borrow', 2475: 'inflated', 2476: 'sport', 2477: 'crossed', 2478: 'copy', 2479: 'curds', 2480: 'costume', 2481: 'owner', 2482: 'realized', 2483: 'reynolds', 2484: 'churchill', 2485: 'cheese', 2486: 'sometimes', 2487: 'director', 2488: 'carve', 2489: 'shaggy', 2490: 'bartenders', 2491: 'skirt', 2492: 'businessman_#1:', 2493: 'gosh', 2494: 'easier', 2495: 'gum', 2496: 'chum', 2497: 'freeze', 2498: 'alcoholic', 2499: 'bubbles', 2500: 'paid', 2501: 'positive', 2502: 'mount', 2503: 'nerve', 2504: 'camp', 2505: 'sports_announcer:', 2506: 'underbridge', 2507: 'jerky', 2508: 'admitting', 2509: 'delivery', 2510: 'cat', 2511: 'latin', 2512: 'project', 2513: 'remembered', 2514: 'candy', 2515: 'known', 2516: 'thanksgiving', 2517: 'b', 2518: 'skin', 2519: 'successful', 2520: 'tiny', 2521: 'syrup', 2522: 'laney_fontaine:', 2523: 'balls', 2524: 'sneaky', 2525: "weren't", 2526: 'bash', 2527: 'aggravated', 2528: 'refund', 2529: 'answering', 2530: 'sodas', 2531: 'decide', 2532: 'inspire', 2533: 'patterns', 2534: 'marmaduke', 2535: 'difficult', 2536: 'weary', 2537: "monroe's", 2538: 'granted', 2539: 'diamond', 2540: 'ohh', 2541: 'railroad', 2542: 'medicine', 2543: 'eyeball', 2544: 'percent', 2545: 'disappeared', 2546: 'taps', 2547: 'due', 2548: 'remembering', 2549: 'gentleman:', 2550: 'discussing', 2551: "countin'", 2552: 'effigy', 2553: 'superhero', 2554: 'advantage', 2555: 'beating', 2556: 'terrific', 2557: 'relieved', 2558: 'baritone', 2559: 'snow', 2560: 'defeated', 2561: 'formico', 2562: 'civic', 2563: 'century', 2564: 'bottles', 2565: 'tie', 2566: 'agent_johnson:', 2567: 'whenever', 2568: 'neat', 2569: 'dearest', 2570: 'cheat', 2571: 'bets', 2572: 'talked', 2573: 'aerosmith', 2574: 'dan', 2575: 'salt', 2576: 'lighting', 2577: 'charm', 2578: 'spy', 2579: 'tentative', 2580: 'quality', 2581: 'smallest', 2582: 'doreen', 2583: 'forbidden', 2584: 'calculate', 2585: 'deserve', 2586: 'wordloaf', 2587: 'wooden', 2588: 'seriously', 2589: 'stevie', 2590: 'intense', 2591: 'catching', 2592: 'nigerian', 2593: 'boxer', 2594: 'meal', 2595: 'gums', 2596: 'agree', 2597: 'begins', 2598: 'wade_boggs:', 2599: "other's", 2600: 'memory', 2601: 'crumble', 2602: 'torn', 2603: 'mortgage', 2604: 'puts', 2605: 'pint', 2606: 'suing', 2607: 'pin', 2608: 'pad', 2609: 'simp-sonnnn', 2610: 'kidney', 2611: 'soup', 2612: 'broadway', 2613: "marge's", 2614: 'conversation', 2615: 'reporter:', 2616: 'shock', 2617: 'jobs', 2618: 'roomy', 2619: 'bags', 2620: 'haw', 2621: 'jets', 2622: 'unfortunately', 2623: '1895', 2624: 'candidate', 2625: 'troy_mcclure:', 2626: 'morose', 2627: 'ringing', 2628: 'penny', 2629: 'mic', 2630: 'judge', 2631: 'helllp', 2632: 'conditioner', 2633: 'teacher', 2634: 'compliments', 2635: 'built', 2636: "town's", 2637: 'all-star', 2638: 'measurements', 2639: 'weirder', 2640: 'awwww', 2641: 'strategy', 2642: 'satisfied', 2643: 'spied', 2644: 'fictional', 2645: 'bugging', 2646: 'joking', 2647: 'smart', 2648: 'eventually', 2649: 'lise:', 2650: 'seek', 2651: 'lap', 2652: 'stuck', 2653: 'heavyset', 2654: 'bump', 2655: 'christopher', 2656: 'sugar', 2657: 'jubilant', 2658: 'thought_bubble_homer:', 2659: 'isle', 2660: 'bret', 2661: 'recall', 2662: 'judge_snyder:', 2663: 'busted', 2664: 'fox', 2665: 'stranger:', 2666: 'fox_mulder:', 2667: 'cars', 2668: 'juice', 2669: 'airport', 2670: 'koholic', 2671: 'drank', 2672: 'benefits', 2673: 'decent', 2674: "chewin'", 2675: 'cigarettes', 2676: 'eighty-one', 2677: 'grave', 2678: 'dropped', 2679: 'courage', 2680: 'reasonable', 2681: 'stands', 2682: 'carll', 2683: 'riding', 2684: 'manage', 2685: 'i-i-i', 2686: 'between', 2687: 'sitar', 2688: 'hitler', 2689: 'reach', 2690: 'dating', 2691: 'correcting', 2692: 'golf', 2693: 'cola', 2694: 'cueball', 2695: "'im", 2696: 'seas', 2697: 'wings', 2698: 'eighty-seven', 2699: 'ah-ha', 2700: 'dames', 2701: 'comedy', 2702: 'yell', 2703: 'ways', 2704: 'rule', 2705: 'compared', 2706: 'bartending', 2707: "game's", 2708: 'internet', 2709: 'civilization', 2710: 'denser', 2711: 'umm', 2712: "readin'", 2713: 'naked', 2714: 'awe', 2715: 'cozy', 2716: 'teddy', 2717: 'proposing', 2718: 'creeps', 2719: "meanin'", 2720: 'helped', 2721: 'vacuum', 2722: 'buried', 2723: 'chilly', 2724: 'rainier_wolfcastle:', 2725: 'twin', 2726: 'rolled', 2727: 'brave', 2728: 'cowboys', 2729: 'nasa', 2730: 'maman', 2731: 'slyly', 2732: 'retired', 2733: 'roses', 2734: 'suspicious', 2735: 'boneheaded', 2736: 'alfalfa', 2737: 'throwing', 2738: 'bears', 2739: 'lib', 2740: 'dough', 2741: 'dungeon', 2742: 'large', 2743: 'delivery_boy:', 2744: 'badges', 2745: 'missed', 2746: "shan't", 2747: 'pond', 2748: 'self-esteem', 2749: "ladies'", 2750: 'queer', 2751: 'carl:', 2752: 'wa', 2753: 'cooler', 2754: 'muttering', 2755: 'reviews', 2756: 'entirely', 2757: 'rolling', 2758: 'joey_kramer:', 2759: 'winnings', 2760: 'scooter', 2761: 'joining', 2762: 'smurfs', 2763: 'gator:', 2764: 'conference', 2765: 'louie:', 2766: '250', 2767: 'highway', 2768: 'skeptical', 2769: 'answers', 2770: 'banquo', 2771: 'continuing', 2772: 'bam', 2773: 'animals', 2774: 'shoo', 2775: 'honor', 2776: 'trick', 2777: 'fuss', 2778: 'deeply', 2779: 'increasingly', 2780: 'impatient', 2781: 'harder', 2782: 'grandiose', 2783: 'vampires', 2784: 'nickels', 2785: 'bold', 2786: 'planning', 2787: 'near', 2788: 'billion', 2789: 'sweeter', 2790: 'pigs', 2791: 'tale', 2792: 'pulling', 2793: 'possibly', 2794: 'naturally', 2795: 'hop', 2796: 'wing', 2797: 'forehead', 2798: 'page', 2799: 'effervescent', 2800: 'witty', 2801: 'tenor:', 2802: 'hired', 2803: 'confidence', 2804: 'flag', 2805: 'voice_on_transmitter:', 2806: 'pouring', 2807: 'woozy', 2808: 'admiring', 2809: 'relationship', 2810: 'sudden', 2811: 'emotional', 2812: 'love-matic', 2813: 'important', 2814: 'victory', 2815: 'expression', 2816: 'bashir', 2817: 'padre', 2818: 'shower', 2819: 'cleaner', 2820: "takin'", 2821: '100', 2822: 'warn', 2823: 'matter-of-fact', 2824: 'attempting', 2825: 'gals', 2826: 'cookies', 2827: 'attack', 2828: 'finishing', 2829: 'electronic', 2830: 'lush', 2831: 'cotton', 2832: 'beats', 2833: 'saint', 2834: 'department', 2835: 'tester', 2836: 'sausage', 2837: 'conspiratorial', 2838: 'mumbling', 2839: 'based', 2840: 'loss', 2841: 'charlie', 2842: "money's", 2843: 'guide', 2844: 'folk', 2845: 'drown', 2846: 'firmly', 2847: 'jeff', 2848: 'wishes', 2849: 'palm', 2850: 'row', 2851: 'ugliest', 2852: 'regulars', 2853: 'cutie', 2854: 'atlanta', 2855: 'acquaintance', 2856: 'spread', 2857: 'germs', 2858: 'bridge', 2859: 'express', 2860: 'champ', 2861: 'krabappel', 2862: 'twice', 2863: 'gifts', 2864: "hangin'", 2865: 'fresh', 2866: 'reached', 2867: 'sack', 2868: 'barely', 2869: 'yawns', 2870: 'prison', 2871: 'gun', 2872: 'broom', 2873: 'inspired', 2874: 'klingon', 2875: 'lucius', 2876: 'rhyme', 2877: 'dreams', 2878: 'disco', 2879: 'bible', 2880: 'color', 2881: 'barf', 2882: 'suds', 2883: 'princesses', 2884: 'ragtime', 2885: 'type', 2886: 'shrugs', 2887: 'hail', 2888: 'assistant', 2889: 'disapproving', 2890: 'weirded-out', 2891: 'grienke', 2892: 'thesaurus', 2893: 'young_moe:', 2894: 'prayer', 2895: 'blew', 2896: "england's", 2897: 'dispenser', 2898: 'dennis', 2899: 'unintelligent', 2900: 'revenge', 2901: 'startup', 2902: 'headhunters', 2903: 'feminine', 2904: 'disco_stu:', 2905: 'replace', 2906: 'chin', 2907: 'shriners', 2908: "doctor's", 2909: 'hanh', 2910: 'irishman', 2911: 'tight', 2912: 'hangout', 2913: 'key', 2914: 'obese', 2915: 'stalking', 2916: 'radical', 2917: "phone's", 2918: 'parasol', 2919: 'plane', 2920: 'sink', 2921: 'slit', 2922: 'nickel', 2923: 'gruff', 2924: 'safecracker', 2925: 'dae', 2926: 'plaintive', 2927: 'fella', 2928: 'mm-hmm', 2929: 'lame', 2930: 'stinky', 2931: 'excuses', 2932: "don'tcha", 2933: 'snout', 2934: 'brawled', 2935: 'triumphantly', 2936: 'presses', 2937: 'experiments', 2938: 'ebullient', 2939: 'neanderthal', 2940: 'specials', 2941: 'barstools', 2942: 'throws', 2943: 'salary', 2944: 'old_jewish_man:', 2945: 'icy', 2946: 'slobs', 2947: 'rims', 2948: 'item', 2949: 'dislike', 2950: 'doof', 2951: 'developed', 2952: 'fainted', 2953: 'brooklyn', 2954: "mopin'", 2955: 'contemplates', 2956: 'gator', 2957: 'du', 2958: 'cockroaches', 2959: 'y-you', 2960: "department's", 2961: 'barney-type', 2962: 'reminded', 2963: 'overturned', 2964: 'bathed', 2965: 'deals', 2966: 'rutabaga', 2967: 'slays', 2968: 'entering', 2969: 'terrace', 2970: 'oh-ho', 2971: 'shipment', 2972: 'virile', 2973: 'ohhhh', 2974: 'period', 2975: 'byrne', 2976: "show's", 2977: 'hotel', 2978: 'polygon', 2979: 'phony', 2980: 'underwear', 2981: "liberty's", 2982: 'loafers', 2983: "bashir's", 2984: 'flynt', 2985: 'gambler', 2986: 'woooooo', 2987: 'lump', 2988: 'sight', 2989: 'contract', 2990: 'nicer', 2991: 'boozehound', 2992: 'rotten', 2993: 'sweetest', 2994: 'paparazzo', 2995: 'bono', 2996: 'splash', 2997: 'stares', 2998: 'experience', 2999: 'mommy', 3000: "people's", 3001: 'oopsie', 3002: 'investigating', 3003: 'high-definition', 3004: 'spacey', 3005: 'self-satisfied', 3006: 'donut', 3007: 'p-k', 3008: 'rusty', 3009: 'moxie', 3010: "brockman's", 3011: 'grey', 3012: 'trade', 3013: 'perfume', 3014: 'weapon', 3015: 'flames', 3016: 'file', 3017: 'ripper', 3018: 'premiering', 3019: 'fringe', 3020: 'including', 3021: 'pantry', 3022: 'neighboreeno', 3023: 'eighty-five', 3024: 'doppler', 3025: 'hunky', 3026: 'hoped', 3027: 'encouraged', 3028: 'eurotrash', 3029: 'macaulay', 3030: 'tv_daughter:', 3031: 'layer', 3032: 'brag', 3033: 'wasted', 3034: "thing's", 3035: '_eugene_blatz:', 3036: 'juan', 3037: 'bono:', 3038: 'hmf', 3039: 'naively', 3040: 'steamed', 3041: 'skinny', 3042: 'hippies', 3043: 'whup', 3044: 'semi-imported', 3045: 'pus-bucket', 3046: 'mystery', 3047: 'forced', 3048: 'huhza', 3049: 'foam', 3050: 'quero', 3051: 'bolting', 3052: 'starving', 3053: 'looser', 3054: 'quebec', 3055: 'complicated', 3056: 'uhhhh', 3057: 'philosophical', 3058: 'nucular', 3059: 'generosity', 3060: 'safety', 3061: 'grammys', 3062: 'fondest', 3063: 'booth', 3064: 'aidens', 3065: 'sidelines', 3066: 'madison', 3067: 'collapse', 3068: "handwriting's", 3069: 'branding', 3070: 'cowboy', 3071: 'gig', 3072: 'jackpot-thief', 3073: 'sweaty', 3074: 'olive', 3075: 'kahlua', 3076: 'repairman', 3077: 'ew', 3078: 'man_with_tree_hat:', 3079: 'soaked', 3080: 'shop', 3081: 'danny', 3082: 'blinds', 3083: 'further', 3084: 'super-nice', 3085: 'ninety-six', 3086: 'television', 3087: 'wad', 3088: 'jimmy', 3089: 'cocoa', 3090: "dolph's_dad:", 3091: 'choked', 3092: "renee's", 3093: 'living', 3094: 'ram', 3095: 'sensitivity', 3096: 'beeps', 3097: 'two-thirds-empty', 3098: 'lime', 3099: 'malfeasance', 3100: 'stops', 3101: 'patrons', 3102: "man's", 3103: 'germany', 3104: 'tenuous', 3105: 'pledge', 3106: 'effervescence', 3107: 'gentle', 3108: 'cheryl', 3109: 'flack', 3110: 'mustard', 3111: 'warned', 3112: 'agency', 3113: 'numeral', 3114: "daughter's", 3115: 'eva', 3116: 'crab', 3117: 'notices', 3118: 'chow', 3119: 'scornful', 3120: 'surprised/thrilled', 3121: 'brusque', 3122: 'stay-puft', 3123: "'er", 3124: 'bake', 3125: 'personal', 3126: 'cecil', 3127: 'buds', 3128: 'california', 3129: 'captain:', 3130: 'bothered', 3131: 'eternity', 3132: 'principles', 3133: 'heartless', 3134: 'scores', 3135: 'dishrag', 3136: 'taught', 3137: 'kidneys', 3138: 'kisser', 3139: 'protestantism', 3140: "tomorrow's", 3141: 'encouraging', 3142: 'jazz', 3143: 'mouths', 3144: 'malted', 3145: 'religious', 3146: 'acceptance', 3147: 'wobble', 3148: 'shout', 3149: 'heals', 3150: 'country-fried', 3151: 'repeated', 3152: "sat's", 3153: 'influence', 3154: 'whaaaa', 3155: 'slop', 3156: 'raggie', 3157: 'agents', 3158: 'rekindle', 3159: 'espousing', 3160: 'hearing', 3161: 'quarterback', 3162: 'sales', 3163: "mcstagger's", 3164: 'streetlights', 3165: 'press', 3166: 'creature', 3167: 'compadre', 3168: 'test-', 3169: 'occurred', 3170: 'haplessly', 3171: 'legally', 3172: 'homunculus', 3173: 'sixty', 3174: 'various', 3175: 'ninety-nine', 3176: 'wienerschnitzel', 3177: 'wigs', 3178: 'digging', 3179: '35', 3180: 'gabriel:', 3181: 'lis', 3182: 'stalwart', 3183: 'ruint', 3184: 'sucks', 3185: 'stagehand:', 3186: 'mathis', 3187: 'brunch', 3188: 'cases', 3189: 'whoa-ho', 3190: 'trainers', 3191: 'heck', 3192: 'serum', 3193: 'venom', 3194: 'sampler', 3195: 'stamps', 3196: 'clams', 3197: 'warranty', 3198: 'radiation', 3199: 'it:', 3200: 'email', 3201: 'rings', 3202: 'arguing', 3203: 'womb', 3204: 'wish-meat', 3205: 'gulps', 3206: 'jeff_gordon:', 3207: 'specific', 3208: 'poin-dexterous', 3209: "i'd'a", 3210: 'novel', 3211: 'sam:', 3212: 'maher', 3213: 'remain', 3214: 'cousin', 3215: 'cheesecake', 3216: 'choices:', 3217: 'banquet', 3218: 'massage', 3219: 'boozer', 3220: 'dealt', 3221: 'carlotta:', 3222: 'texan', 3223: 'horror', 3224: 'gimmick', 3225: 'man_at_bar:', 3226: 'watashi', 3227: 'broncos', 3228: 'demand', 3229: 'investment', 3230: 'strawberry', 3231: 'poplar', 3232: 'chair', 3233: 'grandkids', 3234: 'rafters', 3235: 'jasper_beardly:', 3236: 'squabbled', 3237: 'fica', 3238: 'doy', 3239: 'lady-free', 3240: 'absentminded', 3241: 'ungrateful', 3242: 'guzzles', 3243: 'reflected', 3244: 'hushed', 3245: 'chairman', 3246: 'swimming', 3247: 'resist', 3248: 'science', 3249: 'doctor', 3250: "stabbin'", 3251: 'eye-gouger', 3252: 'stocking', 3253: 'harvey', 3254: 'arise', 3255: 'ratio', 3256: 'rhode', 3257: 'allow', 3258: 'freaking', 3259: 'spine', 3260: 'warmth', 3261: 'patrons:', 3262: 'courteous', 3263: 'lungs', 3264: 'george', 3265: 'studied', 3266: "mother's", 3267: "she'd", 3268: 'strips', 3269: 'squadron', 3270: 'cause', 3271: 'blissful', 3272: 'crushed', 3273: "soundin'", 3274: 'robbers', 3275: 'female_inspector:', 3276: 'blocked', 3277: 'full-blooded', 3278: 'shyly', 3279: 'moe_recording:', 3280: "g'night", 3281: "s'cuse", 3282: 'rickles', 3283: 'bleak', 3284: 'fortensky', 3285: 'seductive', 3286: 'ling', 3287: 'strategizing', 3288: 'awake', 3289: 'slick', 3290: 'beer:', 3291: 'ninth', 3292: "football's", 3293: 'leprechaun', 3294: 'fustigation', 3295: "ya'", 3296: 'babar', 3297: 'updated', 3298: 'noggin', 3299: 'ding-a-ding-ding-ding-ding-ding-ding', 3300: 'renovations', 3301: 'woe:', 3302: 'badly', 3303: 'unusual', 3304: 'iran', 3305: 'tanking', 3306: 'theatrical', 3307: 'killing', 3308: 'billingsley', 3309: 'closet', 3310: 'slurps', 3311: 'blooded', 3312: 'citizens', 3313: 'lifestyle', 3314: 'schabadoo', 3315: "donatin'", 3316: 'continuum', 3317: 'diaper', 3318: 'referee', 3319: 'combination', 3320: 'meteor', 3321: 'brandy', 3322: 'wham', 3323: 'wild', 3324: 'sacajawea', 3325: "fendin'", 3326: 'land', 3327: 'terrorizing', 3328: 'administration', 3329: 'sang', 3330: 'ghouls', 3331: 'gel', 3332: 'motor', 3333: 'frankenstein', 3334: 'chuckling', 3335: 'basement', 3336: 'obama', 3337: 'jay:', 3338: 'furniture', 3339: 'ointment', 3340: 'lurks', 3341: 'maximum', 3342: 'toy', 3343: 'spectacular', 3344: 'h', 3345: 'splendid', 3346: 'jogging', 3347: 'coincidentally', 3348: 'billiard', 3349: 'quadruple-sec', 3350: 'friction', 3351: 'eddie', 3352: "wallet's", 3353: 'helpful', 3354: 'diminish', 3355: 'edner', 3356: 'adrift', 3357: 'killjoy', 3358: 'peabody', 3359: 'calendars', 3360: 'affectations', 3361: 'ralphie', 3362: 'legal', 3363: 'portentous', 3364: 'temp', 3365: 'verticality', 3366: 'tree_hoper:', 3367: 'ron', 3368: 'plotz', 3369: 'moolah-stealing', 3370: 'kay', 3371: 'glamour', 3372: 'cocks', 3373: 'breaks', 3374: 'puffy', 3375: 'mimes', 3376: 'squashing', 3377: 'eww', 3378: '2nd_voice_on_transmitter:', 3379: 'quarter', 3380: 'smuggled', 3381: 'lifts', 3382: 'blossoming', 3383: "how're", 3384: "'ceptin'", 3385: 'brain-switching', 3386: 'storms', 3387: 'tigers', 3388: 'psst', 3389: "duelin'", 3390: 'allegiance', 3391: 'pee', 3392: 'jukebox_record:', 3393: 'comment', 3394: 'occupation', 3395: 'ehhhhhhhh', 3396: 'dropping', 3397: 'tuna', 3398: 'movement', 3399: 'donation', 3400: 'instrument', 3401: 'minus', 3402: 'in-in-in', 3403: 'stirrers', 3404: 'exited', 3405: 'intruding', 3406: 'customers-slash-only', 3407: 'vanities', 3408: 'pushes', 3409: 'punkin', 3410: 'spitting', 3411: 'uninhibited', 3412: 'little_hibbert_girl:', 3413: 'yak', 3414: 'territorial', 3415: 'flophouse', 3416: 'glorious', 3417: 'brother-in-law', 3418: "tv'll", 3419: 'winning', 3420: 'expecting', 3421: 'dull', 3422: "when's", 3423: 'windowshade', 3424: 'conspiracy', 3425: "grandmother's", 3426: 'dignity', 3427: 'kennedy', 3428: 'stupidest', 3429: "pressure's", 3430: 'causes', 3431: 'domed', 3432: 'ore', 3433: 'sat-is-fac-tion', 3434: 'forty-two', 3435: 'halfway', 3436: 'abcs', 3437: 'cheerleaders:', 3438: 'annual', 3439: 'shoe', 3440: 'slaps', 3441: 'wantcha', 3442: 'gordon', 3443: 'chapter', 3444: 'limited', 3445: 'ireland', 3446: 'barbara', 3447: 'piling', 3448: 'app', 3449: 'patron_#1:', 3450: 'blowfish', 3451: 'host', 3452: 'arimasen', 3453: 'saga', 3454: 'jane', 3455: 'aerospace', 3456: 'st', 3457: 'caveman', 3458: 'aunt', 3459: 'priority', 3460: 'pantsless', 3461: 'sneeze', 3462: 'noose', 3463: 'meatpies', 3464: 'nauseous', 3465: 'sister-in-law', 3466: 'wussy', 3467: 'thirty-three', 3468: 'concentrate', 3469: 'lodge', 3470: 'meanwhile', 3471: 'looting', 3472: 'splattered', 3473: 'creme', 3474: 'wakede', 3475: 'space-time', 3476: 'poetry', 3477: 'intimacy', 3478: 'yoink', 3479: 'helpless', 3480: 'sharity', 3481: 'spellbinding', 3482: 'strolled', 3483: 'employees', 3484: 'eco-fraud', 3485: 'race', 3486: "rentin'", 3487: 'pushing', 3488: 'peaked', 3489: 'quitcher', 3490: 'reed', 3491: 'rat-like', 3492: 'shaky', 3493: 'combines', 3494: 'in-ground', 3495: 'sideshow_mel:', 3496: 'groveling', 3497: 'goldarnit', 3498: 'plucked', 3499: '14', 3500: 'giant', 3501: 'metal', 3502: 'perverse', 3503: 'overhearing', 3504: 'anxious', 3505: 'bidet', 3506: 'composite', 3507: 'rush', 3508: 'bliss', 3509: 'elite', 3510: 'mid-conversation', 3511: 'tow', 3512: 'luckiest', 3513: 'reward', 3514: 'recipe', 3515: 'fresco', 3516: 'dumbest', 3517: 'ralph', 3518: 'mulder', 3519: 'newly-published', 3520: "table's", 3521: 'add', 3522: 'dumb-asses', 3523: 'refinanced', 3524: 'insulin', 3525: 'busiest', 3526: 'scum-sucking', 3527: 'pigtown', 3528: 'richard:', 3529: 'sets', 3530: 'perking', 3531: 'apply', 3532: 'nahasapeemapetilon', 3533: 'fountain', 3534: 'pair', 3535: 'sheets', 3536: 'reaction', 3537: 'supports', 3538: 'data', 3539: 'yells', 3540: 'presidential', 3541: 'profiling', 3542: 'inserted', 3543: 'beaumarchais', 3544: 'derek', 3545: 'alma', 3546: 'sideshow', 3547: 'badmouths', 3548: 'oils', 3549: 'mock-up', 3550: 'huddle', 3551: 'balloon', 3552: 'gesture', 3553: 'paramedic:', 3554: 'six-barrel', 3555: 'tones', 3556: 'rubbed', 3557: 'universe', 3558: 'my-y-y-y-y-y', 3559: 'whoo', 3560: 'aghast', 3561: 'tease', 3562: 'sees/', 3563: 'horrors', 3564: 'retain', 3565: 'fink', 3566: 'los', 3567: 'solves', 3568: 'ate', 3569: 'tobacky', 3570: 'compromise:', 3571: 'orifice', 3572: 'planned', 3573: 'ahem', 3574: "round's", 3575: 'fireworks', 3576: 'pinchpenny', 3577: 'bluff', 3578: 'one-hour', 3579: '50-60', 3580: 'astrid', 3581: 'destroyed', 3582: 'separator', 3583: 'recreate', 3584: 'hangover', 3585: 'fastest', 3586: 'churchy', 3587: 'humiliation', 3588: 'shtick', 3589: 'fontaine', 3590: 'charlie:', 3591: 'mitts', 3592: 'pepto-bismol', 3593: 'gimmicks', 3594: "tonight's", 3595: 'preparation', 3596: 'kinds', 3597: 'vestigial', 3598: 'burglary', 3599: 'sustain', 3600: 'sweden', 3601: 'hat', 3602: 'prettiest', 3603: 'liquor', 3604: 'count', 3605: 'passes', 3606: 'declare', 3607: 'runs', 3608: 'selective', 3609: 'beings', 3610: 'habit', 3611: 'blurbs', 3612: "aren'tcha", 3613: 'menlo', 3614: 'renew', 3615: 'screws', 3616: 'knowingly', 3617: 'racially-diverse', 3618: 'harmony', 3619: 'crimes', 3620: "tony's", 3621: 'fuzzlepitch', 3622: 'bloodball', 3623: 'lemonade', 3624: 'depository', 3625: 'buzz', 3626: 'massachusetts', 3627: 'con', 3628: 'laid', 3629: 'einstein', 3630: 'alva', 3631: 'tv-station_announcer:', 3632: 'stickers', 3633: 'theme', 3634: 'shred', 3635: 'traitor', 3636: 'we-we-we', 3637: 'joy', 3638: 'insured', 3639: 'hyahh', 3640: 'fad', 3641: 'fast-paced', 3642: 'fell', 3643: 'pre-recorded', 3644: 'stiffening', 3645: 'clench', 3646: 'enveloped', 3647: 'crinkly', 3648: 'pretzels', 3649: "soakin's", 3650: 'publishers', 3651: 'stingy', 3652: 'cronies', 3653: 'cloudy', 3654: 'sturdy', 3655: 'drop-off', 3656: 'superpower', 3657: 'bill_james:', 3658: 'figure', 3659: 'slurred', 3660: 'treehouse', 3661: 'snail', 3662: 'dumbbell', 3663: 'moon', 3664: 'something:', 3665: 'victim', 3666: 'mostrar', 3667: 'necessary', 3668: "time's", 3669: 'prayers', 3670: 'brunswick', 3671: 'homer_', 3672: 'species', 3673: 'mmmmm', 3674: 'build', 3675: 'sunglasses', 3676: 'blank', 3677: 'counterfeit', 3678: 'hearts', 3679: 'nailed', 3680: 'furiously', 3681: 'congratulations', 3682: 'clothespins', 3683: 'slender', 3684: 'heh-heh', 3685: 'feisty', 3686: 'pro', 3687: 'resolution', 3688: 'larry', 3689: 'station', 3690: 'lily-pond', 3691: 'john', 3692: "spyin'", 3693: 'shag', 3694: 'wreck', 3695: 'interrupting', 3696: 'almond', 3697: 'contractors', 3698: 'libido', 3699: 'kenny', 3700: 'fifth', 3701: 'states', 3702: 'mcclure', 3703: 'hmmmm', 3704: 'background', 3705: 'romance', 3706: 'sickened', 3707: 'recent', 3708: 'sing-song', 3709: 'bubbles-in-my-nose-y', 3710: 'hate-hugs', 3711: 'characteristic', 3712: 'mis-statement', 3713: 'perch', 3714: 'laney', 3715: 'tokens', 3716: 'candles', 3717: "kearney's_dad:", 3718: 'fit', 3719: 'yee-ha', 3720: 'coy', 3721: 'jerk-ass', 3722: 'anyhow', 3723: 'quimbys:', 3724: 'oblivious', 3725: 'miss_lois_pennycandy:', 3726: 'unfamiliar', 3727: "somethin':", 3728: 'twenty-four', 3729: 'undies', 3730: 'bras', 3731: 'correction', 3732: 'forecast', 3733: 'capuchin', 3734: 'two-drink', 3735: "coffee'll", 3736: 'inches', 3737: 'indicates', 3738: 'pronounce', 3739: 'hooked', 3740: 'lone', 3741: 'suburban', 3742: 'dies', 3743: 'sobo', 3744: 'sympathy', 3745: 'cauliflower', 3746: 'saucy', 3747: 'office', 3748: 'considers', 3749: 'hollowed-out', 3750: 'terminated', 3751: 'insist', 3752: 'completely', 3753: 'planted', 3754: 'besides', 3755: 'beyond', 3756: "g'on", 3757: 'guiltily', 3758: 'index', 3759: 'bury', 3760: 'augustus', 3761: 'synthesize', 3762: 'expired', 3763: 'explanation', 3764: 'deny', 3765: 'argue', 3766: 'ticks', 3767: 'railroads', 3768: 'wittgenstein', 3769: 'muhammad', 3770: 'possessions', 3771: 'leno', 3772: 'hero-phobia', 3773: 'naegle', 3774: 'fbi_agent:', 3775: 'kucinich', 3776: 'considering:', 3777: 'undated', 3778: 'specializes', 3779: 'landlord', 3780: "idea's", 3781: 'gus', 3782: 'inserts', 3783: 'immiggants', 3784: 'inanely', 3785: "man'd", 3786: 'cakes', 3787: 'dory', 3788: 'bumblebee_man:', 3789: 'glee', 3790: 'sounded', 3791: 'julep', 3792: 'audience', 3793: 'richer', 3794: 'good-looking', 3795: 'inexorable', 3796: 'happily:', 3797: 'issuing', 3798: 'guilt', 3799: 'getaway', 3800: 'mither', 3801: 'abolish', 3802: 'funniest', 3803: 'williams', 3804: 'slaves', 3805: 'pennies', 3806: 'certified', 3807: 'mushy', 3808: 'craft', 3809: 'federal', 3810: 'determined', 3811: 'tracks', 3812: 'handling', 3813: 'specialists', 3814: 'monday', 3815: 'common', 3816: 'leaving', 3817: 'tablecloth', 3818: "blowin'", 3819: 'togetherness', 3820: 'wrapped', 3821: 'royal', 3822: 'delightfully', 3823: 'extended', 3824: 'misconstrue', 3825: 'monorails', 3826: "raggin'", 3827: 'angrily', 3828: 'killer', 3829: 'pridesters:', 3830: 'accidents', 3831: "clancy's", 3832: 'chub', 3833: 'nibble', 3834: 'grrrreetings', 3835: 'padres', 3836: "swishifyin'", 3837: 'pre-game', 3838: 'massive', 3839: 'pregnancy', 3840: 'improved', 3841: 'nash', 3842: 'located', 3843: 'saget', 3844: 'be-stainèd', 3845: 'judgments', 3846: 'boxcars', 3847: 'urge', 3848: 'title', 3849: 'nervously', 3850: 'irrelevant', 3851: 'thirty-nine', 3852: 'coyly', 3853: 'world-class', 3854: 'tapered', 3855: 'tha', 3856: 'odor', 3857: 'rent', 3858: 'sued', 3859: 'habitrail', 3860: 'meaningless', 3861: 'dictating', 3862: "homer'll", 3863: 'eats', 3864: 'simon', 3865: 'melodramatic', 3866: 'sassy', 3867: 'mabel', 3868: 'connection', 3869: 'cheerier', 3870: 'mocking', 3871: 'you-need-man', 3872: 'ventriloquism', 3873: 'e-z', 3874: 'syndicate', 3875: 'demo', 3876: 'mines', 3877: 'crapmore', 3878: 'yellow-belly', 3879: 'conversion', 3880: 'buddies', 3881: 'maitre', 3882: 'swimmers', 3883: 'progress', 3884: 'tomahto', 3885: 'envy-tations', 3886: 'repay', 3887: 'jubilation', 3888: 'forgets', 3889: 'reactions', 3890: 'hilton', 3891: 'attach', 3892: "cupid's", 3893: "nick's", 3894: 'nature', 3895: 'benjamin:', 3896: 'humanity', 3897: "nixon's", 3898: 'strain', 3899: 'show-off', 3900: 'singer', 3901: 'nectar', 3902: 'measure', 3903: 'panties', 3904: 'stink', 3905: 'united', 3906: 'ignorance', 3907: 'hygienically', 3908: 'gees', 3909: 'fast-food', 3910: 'kitchen', 3911: 'birthplace', 3912: 'impress', 3913: 'hibachi', 3914: 'disguised', 3915: "high-falutin'", 3916: 'acronyms', 3917: 'examines', 3918: 'falling', 3919: 'foodie', 3920: 'smiled', 3921: 'ideas', 3922: 'sail', 3923: 'peeping', 3924: 'ali', 3925: 'wage', 3926: 'frightened', 3927: 'eighteen', 3928: 'zinged', 3929: "sippin'", 3930: 'apart', 3931: 'cannoli', 3932: 'begging', 3933: 'charter', 3934: 'certificate', 3935: 'kills', 3936: 'replaced', 3937: 'whaddya', 3938: 'je', 3939: 'adult', 3940: 'othello', 3941: 'information', 3942: 'hillbillies', 3943: 'arrested:', 3944: 'winded', 3945: 'bunion', 3946: 'enter', 3947: 'bugs', 3948: 'boisterous', 3949: 'cleveland', 3950: 'veteran', 3951: 'hems', 3952: "ball's", 3953: 'grieving', 3954: 'director:', 3955: 'dexterous', 3956: 'stripe', 3957: 'shrieks', 3958: 'reunion', 3959: 'op', 3960: 'sanitation', 3961: 'ashtray', 3962: 'equal', 3963: 'thunder', 3964: 'natured', 3965: "plank's", 3966: 'talkers', 3967: 'comedies', 3968: 'lugs', 3969: 'pharmaceutical', 3970: 'er', 3971: 'decision', 3972: 'circus', 3973: 'tense', 3974: 'superdad', 3975: 'baloney', 3976: 'enlightened', 3977: 'poke', 3978: 'winks', 3979: 'aid', 3980: 'break-up', 3981: '91', 3982: 'idealistic', 3983: 'sieben-gruben', 3984: 'stretches', 3985: 'farewell', 3986: 'alternative', 3987: 'cavern', 3988: 'anderson', 3989: 'co-sign', 3990: 'ummmmmmmmm', 3991: "that'd", 3992: 'moe-lennium', 3993: 'arse', 3994: 'emphasis', 3995: 'haikus', 3996: 'easter', 3997: 'neighborhood', 3998: 'gheet', 3999: 'worldview', 4000: 'timbuk-tee', 4001: 'highball', 4002: 'name:', 4003: 'evasive', 4004: 'shorter', 4005: 'boston', 4006: 'alcoholism', 4007: "'s", 4008: 'caricature', 4009: 'upsetting', 4010: 'publish', 4011: 'fayed', 4012: 'derisive', 4013: 'dash', 4014: 'darn', 4015: 'polls', 4016: 'rife', 4017: 'ultimate', 4018: 'jacksons', 4019: 'jumping', 4020: 'barbed', 4021: 'tactful', 4022: 'stagey', 4023: 'miracle', 4024: 'prints', 4025: 'drinker', 4026: 'whatsit', 4027: 'unforgettable', 4028: 'declared', 4029: 'mix', 4030: 'treats', 4031: "hobo's", 4032: 'occupancy', 4033: 'hostages', 4034: 'mirror', 4035: 'louse', 4036: 'indeedy', 4037: 'portuguese', 4038: 'soothing', 4039: 'exquisite', 4040: 'hellhole', 4041: 'kinderhook', 4042: 'refreshingness', 4043: 'tyson/secretariat', 4044: 'rebuttal', 4045: "collector's", 4046: 'britannia', 4047: 'vincent', 4048: 'robin', 4049: 'tourist', 4050: 'putty', 4051: 'official', 4052: 'rafter', 4053: 'spare', 4054: 'oddest', 4055: 'awareness', 4056: 'kisses', 4057: 'libraries', 4058: 'poster', 4059: 'cobra', 4060: 'droning', 4061: 'brainheaded', 4062: 'crowned', 4063: 'aziz', 4064: 'len-ny', 4065: 'sideshow_bob:', 4066: "pickin'", 4067: 'gore', 4068: 'dreary', 4069: 'intoxicants', 4070: 'commit', 4071: 'behavior', 4072: 'diets', 4073: 'musical', 4074: 'simple', 4075: 'pretends', 4076: 'cesss', 4077: 'backgammon', 4078: 'halloween', 4079: 'guessing', 4080: 'hollye', 4081: 'breakfast', 4082: 'stripes', 4083: 'cattle', 4084: 'lay', 4085: 'lovejoy', 4086: 'wagering', 4087: 'tidy', 4088: 'spreads', 4089: 'swamp', 4090: 'walther', 4091: 'priceless', 4092: 'simpsons', 4093: 'unsanitary', 4094: 'eggshell', 4095: 'mexicans', 4096: 'verdict', 4097: 'soir', 4098: 'alec_baldwin:', 4099: 'thousands', 4100: 'community', 4101: 'material', 4102: 'milhouses', 4103: 'smelly', 4104: 'nail', 4105: 'mike_mills:', 4106: 'vermont', 4107: 'answered', 4108: 'lovelorn', 4109: 'frontrunner', 4110: 'earlier', 4111: 'jewish', 4112: 'radiator', 4113: 'contemplated', 4114: 'grenky', 4115: 'fonzie', 4116: 'mediterranean', 4117: 'selection', 4118: 'hardwood', 4119: "mecca's", 4120: 'ancestors', 4121: 'clubs', 4122: 'tee', 4123: 'clandestine', 4124: 'silence', 4125: 'johnny', 4126: "secret's", 4127: "man's_voice:", 4128: 'weight', 4129: 'assassination', 4130: 'pugilist', 4131: 'u2:', 4132: 'remodel', 4133: 'offa', 4134: 'oh-so-sophisticated', 4135: "hole'", 4136: 'gags', 4137: 'go-near-', 4138: 'impeach', 4139: 'selfish', 4140: 'dizzy', 4141: 'carey', 4142: "'roids", 4143: 'tin', 4144: 'korea', 4145: 'dingy', 4146: 'crayon', 4147: 'legs:', 4148: 'multi-national', 4149: 'menacing', 4150: 'whoever', 4151: "fine-lookin'", 4152: 'agent_miller:', 4153: 'shesh', 4154: 'scram', 4155: 'chill', 4156: 'consulting', 4157: "somethin's", 4158: 'man_with_crazy_beard:', 4159: 'offensive', 4160: 'cappuccino', 4161: 'example', 4162: "spaghetti-o's", 4163: 'captain', 4164: 'begin', 4165: 'hops', 4166: 'wholeheartedly', 4167: 'package', 4168: 'extinguishers', 4169: 'lofty', 4170: "kid's", 4171: 'beard', 4172: 'firing', 4173: 'reentering', 4174: 'democrats', 4175: 'reluctant', 4176: 'eager', 4177: 'enthusiasm', 4178: 'all-american', 4179: 'cans', 4180: 'skinheads', 4181: 'insecure', 4182: 'venture', 4183: 'super-genius', 4184: 'paste', 4185: 'scatter', 4186: 'desperately', 4187: 'detail', 4188: 'celebrate', 4189: 'startled', 4190: 'holy', 4191: 'grace', 4192: 'fishing', 4193: "ma's", 4194: 'sky', 4195: 'gabriel', 4196: 'groans', 4197: 'tender', 4198: 'lawyer', 4199: 'youth', 4200: 'sniper', 4201: 'forget-me-drinks', 4202: 'outs', 4203: 'law-abiding', 4204: 'curiosity', 4205: 'associate', 4206: 'wishful', 4207: 'crestfallen', 4208: 'safely', 4209: 'housing', 4210: 'permanent', 4211: 'pages', 4212: 'stomach', 4213: 'appreciate', 4214: 'knives', 4215: 'scratcher', 4216: 'rupert_murdoch:', 4217: 'hot-rod', 4218: 'teriyaki', 4219: 'thomas', 4220: 'não', 4221: 'rebuilt', 4222: 'lucinda', 4223: 'passports', 4224: 'hike', 4225: 'pack', 4226: 'disgracefully', 4227: 'sponge', 4228: 'orgasmville', 4229: 'sitcom', 4230: 'sue', 4231: 'boxcar', 4232: 'hah', 4233: "challengin'", 4234: 'process', 4235: "yieldin'", 4236: 'rip', 4237: 'appearance-altering', 4238: 'artist', 4239: 'geyser', 4240: 'hampstead-on-cecil-cecil', 4241: 'lear', 4242: 'gotcha', 4243: 'short_man:', 4244: 'advertise', 4245: 'golden', 4246: 'escort', 4247: 'attractive_woman_#2:', 4248: 'moving', 4249: 'statues', 4250: 'raging', 4251: 'kearney_zzyzwicz:', 4252: 'maude', 4253: 'rookie', 4254: 'lookalike:', 4255: 'strangles', 4256: 'ivy-covered', 4257: 'honeys', 4258: 'edgy', 4259: 'sickens', 4260: 'bookie', 4261: 'goblins', 4262: 'jackass', 4263: 'alter', 4264: 'toxins', 4265: 'cozies', 4266: "messin'", 4267: 'anthony_kiedis:', 4268: 'supply', 4269: 'liable', 4270: 'tremendous', 4271: 'ons', 4272: 'prettied', 4273: 'knuckles', 4274: 'bulldozing', 4275: 'neighbors', 4276: 'quick-like', 4277: 'meals', 4278: 'fumigated', 4279: 'dea-d-d-dead', 4280: 'items', 4281: 'worthless', 4282: 'proposition', 4283: 'thing:', 4284: 'understood:', 4285: 'proves', 4286: 'vehicle', 4287: 'ripped', 4288: 'swatch', 4289: 'sugar-free', 4290: 'abe', 4291: 'loboto-moth', 4292: 'limericks', 4293: 'stars', 4294: 'quarry', 4295: "santa's", 4296: 'cricket', 4297: 'male_singers:', 4298: 'spite', 4299: 'life-threatening', 4300: 'dint', 4301: 'amiable', 4302: 'pilsner-pusher', 4303: 'mugs', 4304: "'evening", 4305: 'pews', 4306: 'squishee', 4307: '$42', 4308: 'schorr', 4309: 'imitating', 4310: 'janette', 4311: 'idioms', 4312: 'cigars', 4313: 'reopen', 4314: 'dentist', 4315: 'proof', 4316: 'democracy', 4317: 'sheriff', 4318: 'sending', 4319: 'frink-y', 4320: 'barney-guarding', 4321: 'cutest', 4322: 'automobiles', 4323: 'play/', 4324: 'breathless', 4325: 'moe-clone', 4326: 'sticking', 4327: 'mobile', 4328: 'musketeers', 4329: 'muscle', 4330: 'uglier', 4331: 'flexible', 4332: 'waste', 4333: 'noble', 4334: 'photographer', 4335: 'gloop', 4336: 'cure', 4337: 'ignoring', 4338: 'landfill', 4339: 'lainie:', 4340: 'disappear', 4341: 'fires', 4342: 'blur', 4343: 'rockers', 4344: 'make:', 4345: 'broken', 4346: 'languages', 4347: "liftin'", 4348: 'leftover', 4349: 'button-pusher', 4350: 'loathe', 4351: 'non-american', 4352: 'spoon', 4353: 'blinded', 4354: 'mission', 4355: 'viva', 4356: 'butter', 4357: 'regretful', 4358: 'intelligent', 4359: 'runaway', 4360: 'devils:', 4361: 'earth', 4362: 'ditched', 4363: 'fail', 4364: 'lotsa', 4365: 'swings', 4366: 'backbone', 4367: 'beady', 4368: 'privacy', 4369: 'gumbo', 4370: 'onassis', 4371: 'mccall', 4372: 'aims', 4373: 'grin', 4374: 'smoker', 4375: 'klown', 4376: 'ballot', 4377: 'kako:', 4378: 'anyhoo', 4379: 'dime', 4380: 'estranged', 4381: 'starters', 4382: 'conditioning', 4383: 'legend', 4384: 'carnival', 4385: 'jig', 4386: 'collateral', 4387: 'transfer', 4388: 'panicked', 4389: 'conditioners', 4390: 'chain', 4391: 'luv', 4392: 'nagurski', 4393: 'eliminate', 4394: 'statistician', 4395: 'appreciated', 4396: 'thrilled', 4397: 'temple', 4398: 'wally', 4399: 'newsies', 4400: 'dean', 4401: 'cupid', 4402: 'bedridden', 4403: 'cushions', 4404: 'meaningfully', 4405: 'allowance', 4406: 'ura', 4407: "stealin'", 4408: 'lobster', 4409: 'sesame', 4410: 'releases', 4411: 'errrrrrr', 4412: 'diddilies', 4413: 'month', 4414: 'x-men', 4415: 'nightmares', 4416: 'salvador', 4417: 'exploiter', 4418: 'newsletter', 4419: 'kl5-4796', 4420: 'faint', 4421: 'optimistic', 4422: 'canyoner-oooo', 4423: 'intervention', 4424: "duff's", 4425: 'philip', 4426: 'frogs', 4427: 'flush-town', 4428: 'intriguing', 4429: 'cologne', 4430: 'endorsed', 4431: 'tasimeter', 4432: 'justify', 4433: 'chastity', 4434: 'emotion', 4435: 'woodchucks', 4436: 'throats', 4437: 'bauer', 4438: 'nerd', 4439: 'restless', 4440: 'phasing', 4441: 'squeeze', 4442: 'recruiter', 4443: 'knuckle-dragging', 4444: 'mailbox', 4445: 'flashing', 4446: 'infestation', 4447: 'atari', 4448: 'stacey', 4449: "renovatin'", 4450: 'napkins', 4451: 'griffith', 4452: 'additional-seating-capacity', 4453: 'settlement', 4454: 'crippling', 4455: 'thanking', 4456: 'wraps', 4457: 'innocuous', 4458: 'phase', 4459: 'neon', 4460: 'logos', 4461: 'annoying', 4462: 'edelbrock', 4463: 'meaning', 4464: 'navy', 4465: 'ceremony', 4466: 'backward', 4467: 'issues', 4468: 'badmouth', 4469: 'choice:', 4470: 'lance', 4471: 'lincoln', 4472: 'sap', 4473: "now's", 4474: 'drollery', 4475: 'ails', 4476: 'dipping', 4477: 'remorseful', 4478: 'average', 4479: 'launch', 4480: 'cruise', 4481: 'lovers', 4482: 'rude', 4483: 'notice', 4484: 'bleeding', 4485: 'producers', 4486: 'ballclub', 4487: 'maxed', 4488: 'oblongata', 4489: 'ingrates', 4490: 'infiltrate', 4491: 'cell', 4492: 'potatoes', 4493: 'fat_in_the_hat:', 4494: 'what-for', 4495: 'score', 4496: 'grains', 4497: 'shaker', 4498: 'cockroach', 4499: 'enjoys', 4500: 'shoulders', 4501: 'simplest', 4502: 'afterglow', 4503: "jackpot's", 4504: 'femininity', 4505: 'bloodiest', 4506: "smackin'", 4507: 'continued', 4508: 'dumbass', 4509: 'guinea', 4510: 'chateau', 4511: 'nightmare', 4512: 'consoling', 4513: 'lorre', 4514: 'dum-dum', 4515: 'helps', 4516: 'boxers', 4517: 'ambrose', 4518: 'lee', 4519: 'pure', 4520: 'leonard', 4521: 'forty-five', 4522: 'icelandic', 4523: 'bannister', 4524: 'permitting', 4525: 'pall', 4526: 'murdered', 4527: 'whistling', 4528: 'newest', 4529: 'perplexed', 4530: 'self-centered', 4531: 'leathery', 4532: 'crystal', 4533: 'boozebag', 4534: 'toledo', 4535: "tv's", 4536: 'incapable', 4537: 'taunting', 4538: 'buzziness', 4539: 'kirk', 4540: 'mole', 4541: 'frankie', 4542: 'furry', 4543: 'rewound', 4544: 'white_rabbit:', 4545: 'nemo', 4546: 'parenting', 4547: 'dozen', 4548: 'difference', 4549: 'macgregor', 4550: 'published', 4551: 'ahhhh', 4552: 'urban', 4553: 'solved', 4554: 'fluoroscope', 4555: "listenin'", 4556: 'wore', 4557: 'sixteen', 4558: 'society_matron:', 4559: 'shells', 4560: 'noosey', 4561: 'drift', 4562: 'xx', 4563: 'lady_duff:', 4564: 'nick', 4565: "'pu", 4566: 'focused', 4567: 'aah', 4568: 'orders', 4569: 'jobless', 4570: 'test-lady', 4571: 'snackie', 4572: 'mccarthy', 4573: 'avec', 4574: 'shelf', 4575: 'cell-ee', 4576: 'betrayed', 4577: 'suits', 4578: 'pine', 4579: 'statue', 4580: 'crowbar', 4581: 'refill', 4582: 'weekend', 4583: "can'tcha", 4584: 'jaegermeister', 4585: 'arts', 4586: 'luckily', 4587: 'increased', 4588: 'chicken', 4589: 'slim', 4590: 'oughta', 4591: "brady's", 4592: 'shores', 4593: 'nameless', 4594: 'socratic', 4595: 'tooth', 4596: 'fatso', 4597: 'taste', 4598: "tree's", 4599: 'teacup', 4600: 'soaps', 4601: 'nasty', 4602: 'colossal', 4603: 'steaming', 4604: 'offshoot', 4605: 'cerebral', 4606: 'accounta', 4607: 'stores', 4608: 'boyhood', 4609: 'gruesome', 4610: 'champs', 4611: 'stretch', 4612: 'bottoms', 4613: 'urinal', 4614: 'legoland', 4615: 'madman', 4616: 'drapes', 4617: 'squirrel', 4618: 'hunger', 4619: 'truck_driver:', 4620: "battin'", 4621: 'society', 4622: 'slogan', 4623: 'wipes', 4624: 'misfire', 4625: 'inclination', 4626: 'hub', 4627: 'thirty-five', 4628: 'otherwise', 4629: 'stu', 4630: 'pile', 4631: "america's", 4632: 'clips', 4633: 'stats', 4634: "fishin'", 4635: 'fortress', 4636: 'wok', 4637: 'reluctantly', 4638: 'firm', 4639: 'y', 4640: 'microbrew', 4641: 'a-lug', 4642: 'hare-brained', 4643: 'and-and', 4644: 'incognito', 4645: 'picked', 4646: 'stairs', 4647: 'macho', 4648: 'admirer', 4649: 'clammy', 4650: 'yuh-huh', 4651: "boy's", 4652: 'freshened', 4653: 'widow', 4654: 'floating', 4655: 'accelerating', 4656: 'las', 4657: 'bar:', 4658: 'walked', 4659: "s'pose", 4660: 'jeter', 4661: 'groan', 4662: 'sour', 4663: 'confidentially', 4664: 'right-handed', 4665: 'cyrano', 4666: 'adopted', 4667: 'charges', 4668: 'phlegm', 4669: 'watched', 4670: 'fire_inspector:', 4671: 'washed', 4672: 'childless', 4673: 'sagacity', 4674: 'disturbance', 4675: 'farthest', 4676: 'disappointing', 4677: 'stones', 4678: 'gangrene', 4679: 'geysir', 4680: 'grope', 4681: "wearin'", 4682: 'handwriting', 4683: 'earpiece', 4684: 'nor', 4685: 'polishing', 4686: 'municipal', 4687: 'creepy', 4688: 'brings', 4689: 'tiger', 4690: 'scrubbing', 4691: 'sponsor', 4692: 'majesty', 4693: 'twerpy', 4694: 'exchanged', 4695: 'canoodling', 4696: 'cross-country', 4697: 'beanbag', 4698: 'illegally', 4699: 'practice', 4700: 'darjeeling', 4701: 'rubs', 4702: 'rumor', 4703: 'clearing', 4704: 'ref', 4705: 'celeste', 4706: 'strongly', 4707: 'disillusioned', 4708: 'creates', 4709: 'swooning', 4710: "friend's", 4711: 'puke-holes', 4712: 'dashes', 4713: 'phrase', 4714: 'predecessor', 4715: 'releasing', 4716: 'touches', 4717: 'chipper', 4718: 'sacrifice', 4719: 'vin', 4720: 'disposal', 4721: 'sponge:', 4722: 'homesick', 4723: 'wise', 4724: 'shindig', 4725: 'briefly', 4726: 'sleeping', 4727: 'audience:', 4728: 'mexican', 4729: "narratin'", 4730: 'trustworthy', 4731: 'ab', 4732: 'forty-seven', 4733: 'youngsters', 4734: 'expose', 4735: 'fence', 4736: 'fustigate', 4737: 'pretend', 4738: 'ing', 4739: 'encore', 4740: "breakin'", 4741: 'outrageous', 4742: 'washouts', 4743: 'title:', 4744: 'adjourned', 4745: 'macbeth', 4746: 'tuborg', 4747: 'chew', 4748: 'fry', 4749: 'barber', 4750: 'winner', 4751: 'dimly', 4752: 'forty-nine', 4753: 'presentable', 4754: 'playhouse', 4755: 'so-ng', 4756: 'ears', 4757: 'vulgar', 4758: 'result', 4759: 'dna', 4760: 'sugar-me-do', 4761: 'wars', 4762: "larry's", 4763: 'omit', 4764: "askin'", 4765: 'africanized', 4766: 'streetcorner', 4767: 'mild', 4768: "choosin'", 4769: 'oak', 4770: 'schmoe', 4771: 'subscriptions', 4772: 'attraction', 4773: 'presents', 4774: 'highest', 4775: 'done:', 4776: 'stained-glass', 4777: 'enthused', 4778: 'sanctuary', 4779: 'dilemma', 4780: 'nfl_narrator:', 4781: 'fatty', 4782: 'finance', 4783: 'fletcherism', 4784: 'chapel', 4785: 'avalanche', 4786: 'dinks', 4787: 'football', 4788: 'chauffeur:', 4789: 'hers', 4790: 'propose', 4791: "speakin'", 4792: "squeezin'", 4793: 'exception:', 4794: "cheerin'", 4795: 'alarm', 4796: 'forgiven', 4797: 'lumpa', 4798: 'authenticity', 4799: 'flailing', 4800: 'espn', 4801: 'bites', 4802: 'shard', 4803: 'five-fifteen', 4804: 'this:', 4805: 'monroe', 4806: "number's", 4807: 'handed', 4808: 'anonymous', 4809: 'pizza', 4810: 'dizer', 4811: 'hooray', 4812: 'cheated', 4813: 'doll-baby', 4814: 'fury', 4815: 'healthier', 4816: 'edge', 4817: 'groin', 4818: "playin'", 4819: 'kodos:', 4820: 'tied', 4821: 'appropriate', 4822: "o'", 4823: 'dollface', 4824: 'flashbacks', 4825: 'boxer:', 4826: "drexel's", 4827: 'wheeeee', 4828: 'penmanship', 4829: 'patented', 4830: 'eyeballs', 4831: 'chained', 4832: 'zeal', 4833: 'ehhhhhhhhh', 4834: 'fiiiiile', 4835: 'exultant', 4836: 'moe-ron', 4837: 'gear-head', 4838: 'bouquet', 4839: 'other_player:', 4840: 'scoffs', 4841: 'ads', 4842: 'scruffy_blogger:', 4843: 'thawing', 4844: 'giggle', 4845: 'owns', 4846: 'indifference', 4847: 'whirlybird', 4848: 'finish', 4849: 'sincerely', 4850: 'halvsies', 4851: 'telemarketing', 4852: 'whale', 4853: 'swishkabobs', 4854: 'sticker', 4855: 'showed', 4856: 'hearse', 4857: 'assert', 4858: 'shareholder', 4859: 'faces', 4860: "should've", 4861: 'wazoo', 4862: 'detective', 4863: 'mater', 4864: 'script', 4865: 'congoleum', 4866: 'brainiac', 4867: 'chauffeur', 4868: 'cheapskates', 4869: 'remembers', 4870: 'th', 4871: "summer's", 4872: 'michael', 4873: 'blamed', 4874: 'disgraceful', 4875: 'blind', 4876: 'dealie', 4877: 'adjust', 4878: 'swell', 4879: 'flash-fry', 4880: 'perón', 4881: 'nantucket', 4882: 'bounced', 4883: 'vengeance', 4884: 'crisis', 4885: "stayin'", 4886: 'activity', 4887: 'bathtub', 4888: "burnin'", 4889: "dimwit's", 4890: 'albeit', 4891: 'lushmore', 4892: 'whispered', 4893: 'urine', 4894: 'christian', 4895: 'polish', 4896: 'raining', 4897: 'charming', 4898: 'tearfully', 4899: 'upgrade', 4900: 'clapping', 4901: 'cooker', 4902: 'quimby', 4903: 'haws', 4904: 'mahatma', 4905: 'pip', 4906: 'though:', 4907: 'kissed', 4908: 'student', 4909: 'paints', 4910: 'lifetime', 4911: "feelin's", 4912: 'often', 4913: 'prompting', 4914: 'girl-bart', 4915: 'wolfcastle', 4916: 'wikipedia', 4917: 'suspended', 4918: 'santeria', 4919: 'online', 4920: 'sucker', 4921: 'ehhhhhh', 4922: 'coms', 4923: 'doom', 4924: 'delts', 4925: 'thrust', 4926: 'plug', 4927: 'typing', 4928: 'diablo', 4929: 'super-tough', 4930: 'faded', 4931: 'marshmallow', 4932: 'gibson', 4933: 'entrance', 4934: 'terror', 4935: 'aquafresh', 4936: 'ivory', 4937: 'rolls', 4938: 'latour', 4939: 'beef', 4940: 'friend:', 4941: 'model', 4942: 'wounds', 4943: '_marvin_monroe:', 4944: 'bragging', 4945: 'ton', 4946: "professor's", 4947: 'sensible', 4948: 'eaters', 4949: "bettin'", 4950: 'facebook', 4951: 'thousand-year', 4952: 'thirty-thousand', 4953: 'lead', 4954: 'three-man', 4955: '3rd_voice:', 4956: 'tomato', 4957: 'stab', 4958: 'zone', 4959: 'inning', 4960: 'mill', 4961: 'medieval', 4962: 'necklace', 4963: 'ignorant', 4964: 'growing', 4965: "s'okay", 4966: 'hurting', 4967: 'newsweek', 4968: 'bupkus', 4969: 'rug', 4970: 'heroism', 4971: 'paper', 4972: 'loyal', 4973: 'iranian', 4974: 'heavens', 4975: 'choices', 4976: 'sperm', 4977: "games'd", 4978: 'listened', 4979: 'chunk', 4980: 'inquiries', 4981: 'stolen', 4982: 'jewelry', 4983: '4x4', 4984: 'bedtime', 4985: 'daaaaad', 4986: 'burger', 4987: 'easily', 4988: 'payday', 4989: 'carmichael', 4990: 'bon', 4991: 'hook', 4992: 'head-gunk', 4993: 'minors', 4994: 'fills', 4995: 'bronco', 4996: 'suspiciously', 4997: 'enterprising', 4998: 'apulina', 4999: 'beverage', 5000: 'trapping', 5001: 'elizabeth', 5002: 'officer', 5003: 'bull', 5004: 'trail', 5005: 'kansas', 5006: 'unusually', 5007: 'officials', 5008: "y'see", 5009: 'duke', 5010: 'deeper', 5011: 'burnside', 5012: 'bagged', 5013: 'unbelievable', 5014: 'frenchman', 5015: 'erasers', 5016: 'incredible', 5017: 'application', 5018: 'annus', 5019: 'tomatoes', 5020: 'booze-bags', 5021: 'manatee', 5022: 'hydrant', 5023: "'kay-zugg'", 5024: 'alien', 5025: 'rationalizing', 5026: 'hemorrhage-amundo', 5027: 'smiles', 5028: 'beached', 5029: 'bulked', 5030: 'poulet', 5031: "ragin'", 5032: 'innocence', 5033: 'barkeeps', 5034: 'dammit', 5035: 'oww', 5036: 'obsessive-compulsive', 5037: 'gayer', 5038: 'nelson', 5039: 'flourish', 5040: 'cleaning', 5041: 'shaved', 5042: 'watt', 5043: 'rig', 5044: '7g', 5045: 'monkeyshines', 5046: 'waterfront', 5047: 'felony', 5048: 'environment', 5049: 'travel', 5050: "rasputin's", 5051: 'guff', 5052: '3', 5053: "son's", 5054: 'spit-backs', 5055: 'rapidly', 5056: 'advertising', 5057: 'outlive', 5058: 'swine', 5059: 'sells', 5060: 'turlet', 5061: 'gutenberg', 5062: 'occasion', 5063: 'voicemail', 5064: 'relaxed', 5065: 'mind-numbing', 5066: 'deli', 5067: 'sweat', 5068: 'wrap', 5069: 'jay_leno:', 5070: 'pep', 5071: 'other_book_club_member:', 5072: 'shack', 5073: 'offense', 5074: 'missing', 5075: "thinkin'", 5076: 'speed', 5077: 'countryman', 5078: 'typed', 5079: 'witches', 5080: 'western', 5081: 'bindle', 5082: 'marry', 5083: 'hourly', 5084: 'insults', 5085: 'ronstadt', 5086: 'noooooooooo', 5087: 'murdoch', 5088: 'de-scramble', 5089: 'wolverines', 5090: 'kazoo', 5091: 'slab', 5092: 'rainier', 5093: 'transylvania', 5094: "poisonin'", 5095: 'susie-q', 5096: 'four-drink', 5097: 'crayola', 5098: 'wistful', 5099: 'ease', 5100: 'caholic', 5101: 'gr-aargh', 5102: 'wobbly', 5103: 'pancakes', 5104: 'england', 5105: 'half-back', 5106: 'kicks', 5107: 'donuts', 5108: 'yourse', 5109: 'delightful', 5110: 'eighty-six', 5111: 'swe-ee-ee-ee-eet', 5112: 'mostly', 5113: 'badge', 5114: 'dazed', 5115: 'elaborate', 5116: 'twentieth', 5117: 'sequel', 5118: 'bell', 5119: 'infatuation', 5120: 'bumpy-like', 5121: "something's", 5122: 'getup', 5123: 'ho-ly', 5124: 'prince', 5125: 'telegraph', 5126: 'eve', 5127: 'jelly', 5128: 'understood', 5129: "'round", 5130: 'de', 5131: 'entertainer', 5132: 'shill', 5133: 'way:', 5134: 'ripping', 5135: 'souped', 5136: "d'", 5137: 'kick-ass', 5138: 'fiction', 5139: 'maiden', 5140: 'perfected', 5141: 'stepped', 5142: 'cuff', 5143: 'stupidly', 5144: "tap-pullin'", 5145: 'yammering', 5146: 'dice', 5147: 'and/or', 5148: "cuckold's", 5149: 'nachos', 5150: 'handler', 5151: 'microphone', 5152: 'washer', 5153: 'sunk', 5154: 'americans', 5155: 'son-of-a', 5156: 'pink', 5157: 'radioactive', 5158: 'dracula', 5159: 'spender', 5160: 'recap:', 5161: 'invisible', 5162: 'mt', 5163: 'hooters', 5164: 'twenty-six', 5165: 'koji', 5166: 'blob', 5167: 'youuu', 5168: 'arrange', 5169: 'cuz', 5170: 'hardhat', 5171: 'playoff', 5172: 'rueful', 5173: 'killarney', 5174: 'shoes', 5175: "eatin'", 5176: 'anti-lock', 5177: 'novelty', 5178: 'skills', 5179: 'jernt', 5180: 'slobbo', 5181: 'pasta', 5182: "fans'll", 5183: 'researching', 5184: 'alls', 5185: 'chapstick', 5186: 'gardens', 5187: 'ninety-eight', 5188: 'solely', 5189: 'trivia', 5190: 'refreshment', 5191: 'handoff', 5192: 'anti-crime', 5193: 'feat', 5194: 'deliberately', 5195: "poundin'", 5196: 'bottomless', 5197: 'exclusive:', 5198: 'remaining', 5199: 'cruiser', 5200: 'mortal', 5201: 'moustache', 5202: 'corn', 5203: 'confidential', 5204: 'twelve-step', 5205: 'engine', 5206: 'cheering', 5207: "wouldn't-a", 5208: 'dig', 5209: 'string', 5210: 'fake', 5211: 'drains', 5212: 'snitch', 5213: 'manipulation', 5214: 'managed', 5215: 'harvard', 5216: 'papa', 5217: 'hyper-credits', 5218: 'oooo', 5219: 'wrecking', 5220: 'carefully', 5221: 'binoculars', 5222: 'fuhgetaboutit', 5223: 'gallon', 5224: 'bobo', 5225: 'dateline', 5226: 'merchants', 5227: 'winces', 5228: 'choose', 5229: 'twenty-nine', 5230: 'vicious', 5231: 'stewart', 5232: 'coughs', 5233: 'taylor', 5234: 'midge:', 5235: 'breakdown', 5236: 'brine', 5237: 'abusive', 5238: 'windelle', 5239: 'predictable', 5240: 'souvenir', 5241: 'disappointment', 5242: 'limits', 5243: 'hundreds', 5244: 'fleabag', 5245: 'contented', 5246: 'luxury', 5247: "neat's-foot", 5248: 'regretted', 5249: 'astonishment', 5250: 'endorsement', 5251: 'haircuts', 5252: 'shame', 5253: "aristotle's", 5254: 'tolerance', 5255: 'designer', 5256: "costume's", 5257: 'delays', 5258: 'alibi', 5259: 'aged', 5260: 'valley', 5261: 'swig', 5262: 'scent', 5263: 'sexton', 5264: 'fired', 5265: 'aggie', 5266: 'grinch', 5267: 'hootie', 5268: 'drove', 5269: 'greatly', 5270: 'cajun', 5271: 'stored', 5272: 'knit', 5273: 'wound', 5274: 'tasty', 5275: 'sharing', 5276: 'dana_scully:', 5277: 'up-bup-bup', 5278: "must've", 5279: 'wenceslas', 5280: 'followed', 5281: 'jay', 5282: 'mini-beret', 5283: 'asses', 5284: 'benjamin', 5285: 'murderously', 5286: 'lighten', 5287: 'proper', 5288: 'aggravazes', 5289: 'meditative', 5290: 'depression', 5291: 'skunk', 5292: 'fixes', 5293: 'socialize', 5294: 'intoxicated', 5295: 'packets', 5296: 'prejudice', 5297: 'sketch', 5298: 'elect', 5299: 'prizefighters', 5300: 'lindsay', 5301: 'modest', 5302: 'indecipherable', 5303: 'low-life', 5304: 'blokes', 5305: 'plain', 5306: 'faced', 5307: 'rash', 5308: 'hustle', 5309: 'load', 5310: 'signed', 5311: 'addiction', 5312: 'coined', 5313: 'disdainful', 5314: "g'ahead", 5315: 'blackjack', 5316: 'mint', 5317: "fryer's", 5318: 'softer', 5319: 'depressed', 5320: 'casting', 5321: 'shhh', 5322: 'sheet', 5323: 'julienne', 5324: "treatin'", 5325: 'design', 5326: 'unhappy', 5327: 'usual', 5328: 'blade', 5329: 'wowww', 5330: "tatum'll", 5331: 'someplace', 5332: 'senators:', 5333: 'bursts', 5334: 'hiring', 5335: 'nelson_muntz:', 5336: 'longest', 5337: 'schemes', 5338: 'recorded', 5339: 'composer', 5340: 'surgeonnn', 5341: 'singing/pushing', 5342: 'fledgling', 5343: 'contemporary', 5344: "shootin'", 5345: 'lenses', 5346: 'a-b-', 5347: 'savagely', 5348: 'indifferent', 5349: 'ducked', 5350: 'jovial', 5351: 're-al', 5352: "who'da", 5353: 'unfair', 5354: 'everywhere', 5355: 'booking', 5356: 'perverted', 5357: 'extreme', 5358: 'strokkur', 5359: 'when-i-get-a-hold-of-you', 5360: 'pointy', 5361: "d'ya", 5362: "lovers'", 5363: 'jer', 5364: 'scanning', 5365: 'cab', 5366: 'improv', 5367: 'dumpster', 5368: 'depressant', 5369: 'nevada', 5370: 'annie', 5371: 'punishment', 5372: 'led', 5373: 'shopping', 5374: 'buffet', 5375: 'indigenous', 5376: 'four-star', 5377: 'ping-pong', 5378: 'device', 5379: 'moon-bounce', 5380: 'displeased', 5381: 'supervising', 5382: 'cadillac', 5383: 'occurs', 5384: 'cursed', 5385: 'whining', 5386: 'stalin', 5387: 'e', 5388: 'roz', 5389: '/mr', 5390: 'goodwill', 5391: 'gunk', 5392: 'düff', 5393: 'swallowed', 5394: 'heaving', 5395: 'scornfully', 5396: 'enhance', 5397: 'catty', 5398: 'bones', 5399: 'weather', 5400: "cont'd:", 5401: 'stood', 5402: 'tubman', 5403: 'lowest', 5404: 'eyed', 5405: 'please/', 5406: 'intakes', 5407: 'michelin', 5408: 'chili', 5409: 'drummer', 5410: 'ironic', 5411: "tootin'", 5412: 'committing', 5413: 'whispers', 5414: 'poured', 5415: 'pas', 5416: 'lighter', 5417: 'convinced', 5418: 'sympathizer', 5419: 'sternly', 5420: 'wealthy', 5421: 'sentimonies', 5422: 'puzzle', 5423: 'flat', 5424: 'wizard', 5425: 'presently', 5426: 'donor', 5427: 'wolveriskey', 5428: 'ding-a-ding-ding-a-ding-ding', 5429: 'west', 5430: 'unjustly', 5431: 'cuddling', 5432: 'normals', 5433: 'depending', 5434: 'mistresses', 5435: 'reading:', 5436: 'clincher', 5437: 'waist', 5438: 'pictured', 5439: "wino's", 5440: 'tow-talitarian', 5441: 'charged', 5442: 'distinct', 5443: 'coin', 5444: 'undermine', 5445: 'doooown', 5446: 'ingested', 5447: 'jacks', 5448: 'culkin', 5449: 'intention', 5450: 'gluten', 5451: 'knowledge', 5452: 'gift:', 5453: 'herself', 5454: 'frat', 5455: 'occurrence', 5456: 'gol-dangit', 5457: 'side:', 5458: 'rugged', 5459: 'accepting', 5460: 'kool', 5461: 'magnanimous', 5462: "'cept", 5463: 'defiantly', 5464: 'liser', 5465: 'cracked', 5466: 'signal', 5467: 'tragedy', 5468: 'wood', 5469: 'chic', 5470: 'bushes', 5471: "snappin'", 5472: 'sniffing', 5473: 'diving', 5474: 'declan', 5475: 'loneliness', 5476: 'trucks', 5477: 'capitalists', 5478: 'brockelstein', 5479: 'beaumont', 5480: 'feminist', 5481: "coaster's", 5482: 'dawning', 5483: 'kentucky', 5484: 'snide', 5485: 'filed', 5486: 'warning', 5487: 'pillows', 5488: 'eminence', 5489: "school's", 5490: 'gulliver_dark:', 5491: 'site', 5492: 'indeed', 5493: 'evergreen', 5494: 'open-casket', 5495: 'bumped', 5496: 'lobster-politans', 5497: 'pernt', 5498: 'earrings', 5499: 'decide:', 5500: 'blobbo', 5501: 'attached', 5502: 'bachelor', 5503: 'protesters', 5504: 'gunter', 5505: 'bleacher', 5506: 'pickles', 5507: 'crooks', 5508: 'compressions', 5509: 'emporium', 5510: "stallin'", 5511: 'suspenders', 5512: 'heart-broken', 5513: 'louisiana', 5514: 'liability', 5515: 'life-extension', 5516: 'frozen', 5517: 'applesauce', 5518: 'talkative', 5519: 'grandé', 5520: 'kickoff', 5521: 'lend', 5522: 'fl', 5523: 'meyerhof', 5524: 'squeal', 5525: 'strictly', 5526: 'funeral', 5527: 'poison', 5528: 'placed', 5529: 'flanders:', 5530: 'swan', 5531: 'tabs', 5532: "'now", 5533: 'politician', 5534: 'grammy', 5535: 'hexa-', 5536: 'aer', 5537: 'ought', 5538: 'manfred', 5539: 'kings', 5540: 'language', 5541: "this'll", 5542: 'ze-ro', 5543: 'donate', 5544: "calf's", 5545: 'tapestry', 5546: 'disguise', 5547: 'michael_stipe:', 5548: 'asks', 5549: 'sleigh-horses', 5550: 'steely-eyed', 5551: 'tummies', 5552: 'poorer', 5553: 'shreda', 5554: 'praise', 5555: 'unhook', 5556: "jimbo's_dad:", 5557: 'finale', 5558: 'links', 5559: 'produce', 5560: 'view', 5561: 'affects', 5562: 'exciting', 5563: 'yew', 5564: 'lease', 5565: 'banned', 5566: 'civil', 5567: 'champion', 5568: 'attractive', 5569: 'waitress', 5570: 'hardy', 5571: 'bartholomé:', 5572: "tramp's", 5573: 'ga', 5574: 'modestly', 5575: 'bulletin', 5576: 'average-looking', 5577: 'mary', 5578: 'marvelous', 5579: 'relaxing', 5580: 'smelling', 5581: 'ideal', 5582: 'conclude', 5583: 'rub-a-dub', 5584: 'heatherton', 5585: 'ees', 5586: 'punching', 5587: 'portfolium', 5588: 'driveability', 5589: 'without:', 5590: 'attractive_woman_#1:', 5591: 'catch-phrase', 5592: 'purveyor', 5593: 'gestated', 5594: 'dealer', 5595: 'rascals', 5596: 'hosting', 5597: 'grain', 5598: 'surprising', 5599: 'lists', 5600: 'supplying', 5601: "singin'", 5602: 'celebration', 5603: 'specified', 5604: 'muscles', 5605: 'labor', 5606: 'country', 5607: 'elmer', 5608: 'achebe', 5609: 'homer_doubles:', 5610: 'sunny', 5611: 'vacations', 5612: 'soft', 5613: 'faulkner', 5614: 'steampunk', 5615: 'chubby', 5616: 'grub', 5617: 'tickets', 5618: 'fonda', 5619: 'voyager', 5620: 'heave-ho', 5621: 'fears', 5622: 'avenue', 5623: 'nurse', 5624: 'lenford', 5625: 'runners', 5626: 'nooo', 5627: 'cage', 5628: 'freaky', 5629: 'sinkhole', 5630: 'sanitary', 5631: 'dogs', 5632: 'onion', 5633: 'sweetie', 5634: 'hateful', 5635: 'sponsoring', 5636: 'lennyy', 5637: 'blimp', 5638: 'plastered', 5639: 'stamp', 5640: 'carolina', 5641: 'curse', 5642: 'newspaper', 5643: 'van', 5644: "lady's", 5645: 'puke-pail', 5646: 'pajamas', 5647: 'telephone', 5648: "disrobin'", 5649: 'comeback', 5650: 'read:', 5651: 'pre-columbian', 5652: 'anger', 5653: 'backing', 5654: 'methinks', 5655: 'fourteen:', 5656: 'confession', 5657: 'connor', 5658: 'robot', 5659: 'sickly', 5660: 'naval', 5661: 'getcha', 5662: 'heather', 5663: 'chipped', 5664: 'hooch', 5665: 'popping', 5666: 'kim_basinger:', 5667: '21', 5668: 'half-beer', 5669: 'lift', 5670: 'encores', 5671: 'larson', 5672: 'pontiff', 5673: 'hiding', 5674: 'runt', 5675: 'reckless', 5676: 'however', 5677: 'coal', 5678: 'para', 5679: "tab's", 5680: '8', 5681: 'broken:', 5682: 'saving', 5683: 'barter', 5684: 'flaking', 5685: 'pawed', 5686: 'ford', 5687: 'rainforest', 5688: 'mull', 5689: 'rods', 5690: 'county', 5691: 'take-back', 5692: 'moonnnnnnnn', 5693: 'holidays', 5694: 'caper', 5695: "queen's", 5696: 'cartoons', 5697: 'lobster-based', 5698: 'presided', 5699: 'failure', 5700: 'drunkening', 5701: 'j', 5702: 'owned', 5703: 'booger', 5704: 'log', 5705: 'chug-a-lug', 5706: 'takeaway', 5707: "leavin'", 5708: 'triangle', 5709: "scammin'", 5710: 'waters', 5711: 'feedbag', 5712: 'simultaneous', 5713: 'poisoning', 5714: 'virility', 5715: 'ineffective', 5716: 'disaster', 5717: 'inherent', 5718: 'wishing', 5719: 'settled', 5720: 'plants', 5721: 'mansions', 5722: 'tonic', 5723: 'eightball', 5724: 'die-hard', 5725: 'art', 5726: 'coupon', 5727: 'rainbows', 5728: 'forbids', 5729: 'lanes', 5730: 'applicant', 5731: 'compels', 5732: 'glitterati', 5733: 'affection', 5734: 'hidden', 5735: 'elves:', 5736: 'mural', 5737: 'hugh', 5738: 'lookalikes', 5739: 'jägermeister', 5740: 'error', 5741: 'unexplained', 5742: 'march', 5743: 'jigger', 5744: 'montrer', 5745: 'painted', 5746: 'carney', 5747: 'tar-paper', 5748: "mtv's", 5749: 'created', 5750: 'manboobs', 5751: 'skoal', 5752: 'buddha', 5753: 'glyco-load', 5754: 'tribute', 5755: 'soot', 5756: 'promotion', 5757: 'notorious', 5758: 'johnny_carson:', 5759: 'snotball', 5760: 'chorus:', 5761: "'n'", 5762: 'eaten', 5763: 'painless', 5764: 'crowds', 5765: 'pulitzer', 5766: 'bail', 5767: 'andrew', 5768: 'risqué', 5769: 'protecting', 5770: 'most:', 5771: 'east', 5772: 'awkwardly', 5773: 'befriend', 5774: 'mamma', 5775: 'part-time', 5776: 'nos', 5777: 'braun:', 5778: 'mayan', 5779: 'reality', 5780: 'martini', 5781: 'certainly', 5782: 'nonchalantly', 5783: 'reader', 5784: 'reserved', 5785: '-ry', 5786: 'occasional', 5787: 'presumir', 5788: 'thought_bubble_lenny:', 5789: 'wrestle', 5790: 'author', 5791: 'locklear', 5792: 'aboard', 5793: 'jerking', 5794: 'event', 5795: 'iddilies', 5796: 'defected', 5797: 'grants', 5798: 'marched', 5799: 'life-partner', 5800: 'assent', 5801: 'stengel', 5802: 'trashed', 5803: 'snatch', 5804: 'shades', 5805: 'starla:', 5806: 'sloppy', 5807: 'chosen', 5808: 'decadent', 5809: 'population', 5810: 'lizard', 5811: 'colorado', 5812: 'thorn', 5813: 'bowled', 5814: 'damage', 5815: 'court', 5816: 'rain', 5817: 'buyer', 5818: 'easy-going', 5819: 'moe-heads', 5820: 'unsafe', 5821: 'swigmore', 5822: '_burns_heads:', 5823: 'rip-off', 5824: 'overflowing', 5825: 'actor', 5826: 'alky', 5827: 'random', 5828: 'trunk', 5829: 'itchy', 5830: 'karaoke_machine:', 5831: 'freed', 5832: 'spews', 5833: 'schedule', 5834: 'irs', 5835: 'victorious', 5836: "depressin'", 5837: 'dreamy', 5838: 'imaginary', 5839: 'temper', 5840: 'pills', 5841: 'pusillanimous', 5842: 'aiden', 5843: 'ladder', 5844: 'unable', 5845: 'amused', 5846: 'handshake', 5847: 'polenta', 5848: 'pudgy', 5849: 'harm', 5850: 'bonfire', 5851: 'righ', 5852: 'drawn', 5853: 'catholic', 5854: "city's", 5855: 'clothespins:', 5856: "bringin'", 5857: 'non-losers', 5858: 'spiritual', 5859: 'peter_buck:', 5860: 'rom', 5861: 'breathalyzer', 5862: 'laughter', 5863: 'training', 5864: 'excavating', 5865: 'fat-free', 5866: 'seminar', 5867: 'boggs', 5868: "industry's", 5869: 'literary', 5870: 'full-bodied', 5871: 'ruuuule', 5872: 'actress', 5873: 'north', 5874: 'dirge-like', 5875: 'sneering', 5876: 'germans', 5877: 'fistiana', 5878: 'housework', 5879: 'enjoyed', 5880: 'majority', 5881: 'hooky', 5882: 'technical', 5883: "knockin'", 5884: 'troubles', 5885: 'competing', 5886: 'wind', 5887: 'knock-up', 5888: 'yelp', 5889: 'southern', 5890: "somebody's", 5891: 'enthusiastically', 5892: 'gunter:', 5893: "lefty's", 5894: 'relative', 5895: 'ehhh', 5896: 'sizes', 5897: 'flayvin', 5898: 'cheaped', 5899: 'tempting', 5900: 'tropical', 5901: 'unearth', 5902: 'politicians', 5903: 'unattractive', 5904: 'hairs', 5905: 'gut', 5906: 'column', 5907: 'acquitted', 5908: 'scout', 5909: 'beans', 5910: 'soul-crushing', 5911: 'fortune', 5912: 'rocks', 5913: 'moe-near-now', 5914: 'starlets', 5915: 'hispanic_crowd:', 5916: 'cap', 5917: 'hammer', 5918: 'vengeful', 5919: 'nascar', 5920: 'unlocked', 5921: 'düffenbraus', 5922: 'feld', 5923: 'engraved', 5924: 'conclusions', 5925: 'duff_announcer:', 5926: 'appendectomy', 5927: 'incarcerated', 5928: 'ecru', 5929: 'ugh', 5930: 'pepsi', 5931: 'mexican_duffman:', 5932: 'chuck', 5933: 'paintings', 5934: 'wheels', 5935: 'crow', 5936: 'wacky', 5937: 'platinum', 5938: 'mac-who', 5939: 'cherry', 5940: 'network', 5941: 'skins', 5942: 'adequate', 5943: 'muslim', 5944: 'sudoku', 5945: 'statesmanlike', 5946: "washin'", 5947: '2', 5948: 'attend', 5949: 'powers', 5950: "i-i'll", 5951: 'nursemaid', 5952: 'uses', 5953: 'seamstress', 5954: 'stinger', 5955: 'convenient', 5956: 'volunteer', 5957: 'rice', 5958: 'rabbits', 5959: 'twelveball', 5960: 'looooooooooooooooooong', 5961: 'cecil_terwilliger:', 5962: 'hockey-fight', 5963: 'fdic', 5964: 'night-crawlers', 5965: 'dumptruck', 5966: 'position', 5967: 'computer_voice_2:', 5968: 'believer', 5969: 'jokes', 5970: 'option', 5971: 'resigned', 5972: 'chip', 5973: 'savvy', 5974: "family's", 5975: 'equivalent', 5976: 'delivery_man:', 5977: 'figures', 5978: 'donut-shaped', 5979: 'sledge-hammer', 5980: 'philosophic', 5981: 'arrived', 5982: 'low-blow', 5983: 'schizophrenia', 5984: 'au', 5985: 'graveyard', 5986: 'taxi', 5987: 'car:', 5988: 'counter', 5989: 'partners', 5990: 'madonna', 5991: 'bid', 5992: 'executive', 5993: 'archaeologist', 5994: 'distract', 5995: 'ruby-studded', 5996: 'kemi', 5997: 'pursue', 5998: 'yello', 5999: 'calvin', 6000: 'examples', 6001: 'apron', 6002: 'cuckoo', 6003: 'scientific', 6004: 'unkempt', 6005: 'villanova', 6006: 'guts', 6007: 'generously', 6008: 'tornado', 6009: 'asleep', 6010: 'rivalry', 6011: 'cats', 6012: 'norway', 6013: 'musta', 6014: 'afloat', 6015: 'boned', 6016: 'wisconsin', 6017: 'woulda', 6018: 'sacrilicious', 6019: 'menace', 6020: 'players', 6021: 'sedaris', 6022: 'terrifying', 6023: 'beast', 6024: 'factor', 6025: "bo's", 6026: 'filth', 6027: 'awfully', 6028: 'bide', 6029: 'diapers', 6030: 'microwave', 6031: 'journey', 6032: 'repeating', 6033: 'businessman_#2:', 6034: 'beer-dorf', 6035: 'appeals', 6036: 'eight-year-old', 6037: 'fruit', 6038: 'th-th-th-the', 6039: 'theatah', 6040: 'over-pronouncing', 6041: "foolin'", 6042: 'alpha-crow', 6043: 'ruled', 6044: 'tsking', 6045: 'lifters', 6046: 'cletus_spuckler:', 6047: 'enabling', 6048: 'faiths', 6049: 'effect', 6050: 'older', 6051: 'occupied', 6052: 'grind', 6053: 'kidnaps', 6054: 'cushion', 6055: 'eyeing', 6056: 'clown-like', 6057: 'tall', 6058: 'malabar', 6059: 'reptile', 6060: 'fist', 6061: "plaster's", 6062: 'fund', 6063: 'reconsidering', 6064: 'writer:', 6065: 'burg', 6066: 'gamble', 6067: 'unfresh', 6068: 'divine', 6069: 'sistine', 6070: 'rented', 6071: 'sweater', 6072: 'dirty', 6073: 'bullet-proof', 6074: 'sumatran', 6075: 'picnic', 6076: 'silent', 6077: 'recorder', 6078: 'forgotten', 6079: 'buttocks', 6080: 'chinua', 6081: 'bonding', 6082: 'sen', 6083: 'cliff', 6084: 'scratching', 6085: 'steam', 6086: 'wednesday', 6087: 'eu', 6088: 'notch', 6089: 'desire', 6090: 'dregs', 6091: 'blows', 6092: 'initially', 6093: 'masks', 6094: 'squeezed', 6095: 'valuable', 6096: 'spamming', 6097: 'scientists', 6098: 'grammar', 6099: 'champignons', 6100: 'nonsense', 6101: 'imported-sounding', 6102: 'reaches', 6103: 'fantasy', 6104: 'homeless', 6105: 'mountain', 6106: 'rosey', 6107: "cashin'", 6108: 'expensive', 6109: 'richard', 6110: 'absorbent', 6111: 'italian', 6112: 'zoomed', 6113: 'dressing', 6114: 'whaaa', 6115: 'bon-bons', 6116: 'exact', 6117: 'ivanna', 6118: 'carb', 6119: 'malibu', 6120: 'persia', 6121: 'crunch', 6122: 'employment', 6123: 'gargoyles', 6124: 'classy', 6125: 'fighter', 6126: 'drawer', 6127: 'notably', 6128: 'jury', 6129: 'graves', 6130: 'committee', 6131: 'bellyaching', 6132: 'crony', 6133: 'unrelated', 6134: 'lager', 6135: 'evils', 6136: 'donated', 6137: 'grease', 6138: "life's", 6139: 'sidekick', 6140: 'refreshing', 6141: 'bills', 6142: 'hotenhoffer', 6143: 'illustrates', 6144: 'roach', 6145: 'f-l-a-n-r-d-s', 6146: 'cummerbund', 6147: "'your", 6148: 'brick', 6149: 'perfunctory', 6150: 'harvesting', 6151: 'stumble', 6152: 'mickey', 6153: "starla's", 6154: "elmo's", 6155: 'salvation', 6156: 'chips', 6157: "beggin'", 6158: 'sorts', 6159: 'parents', 6160: 'series', 6161: 'chunky', 6162: 'winch', 6163: 'beligerent', 6164: 'hoax', 6165: 'rasputin', 6166: 'temporarily', 6167: 'shush', 6168: 'grumbling', 6169: 'smitty:', 6170: 'exits', 6171: 'lachrymose', 6172: 'dreamily', 6173: 'idiots', 6174: 'jeers', 6175: 'lecture', 6176: 'anti-intellectualism', 6177: 'strains', 6178: 'refiero', 6179: "spiffin'", 6180: 'juke', 6181: 'flown', 6182: 'clap', 6183: "mo'", 6184: 'everyday', 6185: 'ugliness', 6186: 's-a-u-r-c-e', 6187: 'glitz', 6188: 'expense', 6189: 'gin-slingers', 6190: 'colonel:', 6191: 'nuked', 6192: 'hunka', 6193: 'physical', 6194: 'gregor', 6195: 'hemoglobin', 6196: 'tying', 6197: 'distaste', 6198: 'debonair', 6199: 'beards', 6200: 'supermarket', 6201: 'traitors', 6202: "bladder's", 6203: 'dignified', 6204: 'smokes', 6205: 'dateline:', 6206: 'mariah', 6207: 'wells', 6208: 'dramatically', 6209: '530', 6210: 'patriotic', 6211: 'sooo', 6212: 'swelling', 6213: 'rector', 6214: 'scrutinizing', 6215: 'mozzarella', 6216: 'nbc', 6217: 'protesting', 6218: 'reporter', 6219: 'generally', 6220: 'albert', 6221: 'pepper', 6222: 'slapped', 6223: 'infor', 6224: 'genuinely', 6225: 'cocking', 6226: 'tire', 6227: 'spits', 6228: 'roller', 6229: 'suffering', 6230: 'bust', 6231: 'supermodel', 6232: "floatin'", 6233: 'hears', 6234: 'support', 6235: "'", 6236: 'browns', 6237: 'shoulda', 6238: 'junebug', 6239: 'settles', 6240: 'happens', 6241: 'dads', 6242: 'heartily', 6243: 'cock', 6244: 'pizzicato', 6245: 'amber', 6246: "she'll", 6247: 'freely', 6248: 'muertos', 6249: 'sucking', 6250: "wait'll", 6251: 'coma', 6252: 'botanical', 6253: 'friday', 6254: 'pointedly', 6255: 'supreme', 6256: 'crowded', 6257: 'blaze', 6258: 'delicately', 6259: '10:15', 6260: 'tow-joes', 6261: 'capitol', 6262: "edna's", 6263: 'bad-mouth', 6264: 'here-here-here', 6265: 'drunkenly', 6266: "murphy's", 6267: 'parked', 6268: "cleanin'", 6269: 'veux', 6270: 'abercrombie', 6271: 'drives', 6272: 'riveting', 6273: 'november', 6274: "fun's", 6275: 'wiggle', 6276: 'goal', 6277: 'powered', 6278: 'uncreeped-out', 6279: 'flea:', 6280: 'jam', 6281: 'ribbon', 6282: 'xanders', 6283: 'divorced', 6284: 'brown', 6285: 'triple-sec', 6286: 'fantastic', 6287: 'shark', 6288: 'pinball', 6289: 'disturbing', 6290: 'pussycat', 6291: 'waking-up', 6292: 'beatings', 6293: 'oooh', 6294: 'thirsty', 6295: 'mags', 6296: 'hawaii', 6297: 'drinking:', 6298: 'milks', 6299: 'lard', 6300: 'hottest', 6301: 'eighty-three', 6302: 'insurance', 6303: "bart'd", 6304: 'fights', 6305: 'homeland', 6306: 'conversations', 6307: 'wondered', 6308: 'thoughtless', 6309: 'octa-', 6310: 'whoops', 6311: 'spooky', 6312: 'contact', 6313: 'ape-like', 6314: 'blubberino', 6315: "enjoyin'", 6316: 'installed', 6317: 'introduce', 6318: 'amends', 6319: 'criminal', 6320: 'coast', 6321: 'bridges', 6322: 'vampire', 6323: 'tapping', 6324: 'mmm-hmm', 6325: 'micronesian', 6326: 'visas', 6327: 'sticking-place', 6328: 'courthouse', 6329: 'watered', 6330: 'sneak', 6331: 'distance', 6332: 'nordiques', 6333: 'nap', 6334: 'peeved', 6335: 'spilled', 6336: 'dictator', 6337: 'aristotle:', 6338: 'pretentious_rat_lover:', 6339: 'manuel', 6340: '1973', 6341: 'slugger', 6342: "writin'", 6343: 'vigilante', 6344: 'tolerable', 6345: 'stage', 6346: 'betcha', 6347: 'all-all-all', 6348: 'winston', 6349: 'brace', 6350: "neighbor's", 6351: 'sketching', 6352: 'kegs', 6353: "pullin'", 6354: 'photos', 6355: 'damned', 6356: 'depressing', 6357: 'gentles', 6358: 'burt_reynolds:', 6359: 'stein-stengel-', 6360: 'whatchacallit', 6361: 'toms', 6362: 'hoagie', 6363: 'mid-seventies', 6364: 'beer-jerks', 6365: 'kneeling', 6366: 'sun', 6367: 'frescas', 6368: 'squad', 6369: 'pretzel', 6370: 'kirk_voice_milhouse:', 6371: 'harrowing', 6372: 'lookalike', 6373: 'ends', 6374: 'w-a-3-q-i-zed', 6375: '1-800-555-hugs', 6376: 'blessing', 6377: 'dejected', 6378: 'drag', 6379: 'remote', 6380: 'ninety-seven', 6381: 'repressed', 6382: 'utensils', 6383: 'single-mindedness', 6384: 'whim', 6385: 'symphonies', 6386: 'shortcomings', 6387: 'butterball', 6388: "car's", 6389: 'starve', 6390: 'sub-monkeys', 6391: 'rancid', 6392: 'uniforms', 6393: 'amnesia', 6394: 'belly-aching', 6395: 'mckinley', 6396: 'willing', 6397: 'amber_dempsey:', 6398: 'grudgingly', 6399: 'nitwit', 6400: 'decided', 6401: 'snapping', 6402: 'rump', 6403: 'edna-lover-one-seventy-two', 6404: 'spelling', 6405: 'compete', 6406: 'injury', 6407: 'ralph_wiggum:', 6408: 'dutch', 6409: 'pyramid', 6410: 'stan', 6411: 'dejected_barfly:', 6412: 'wudgy', 6413: 'competitive', 6414: 'ne', 6415: 'grateful', 6416: 'attracted', 6417: 'falsetto', 6418: 'impending', 6419: 'agh', 6420: 'peppers', 6421: 'lipo', 6422: 'tear', 6423: 'bowie', 6424: 'cosmetics', 6425: 'crappy', 6426: 'touch', 6427: '1979', 6428: 'contemptuous', 6429: "dog's", 6430: 'kissingher', 6431: 'sealed', 6432: 'heliotrope', 6433: 'helping', 6434: "o'reilly", 6435: 'astronauts', 6436: 'warren', 6437: 'sixty-five', 6438: 'shelbyville', 6439: 'pen', 6440: 'plums', 6441: 'batmobile', 6442: 'wiggle-frowns', 6443: 'skydiving', 6444: 'payback', 6445: 'choked-up', 6446: 'control', 6447: 'well-wisher', 6448: "'morning", 6449: 'spotting', 6450: 'teen', 6451: 'duffed', 6452: 'weep', 6453: 'hounds', 6454: 'fwooof', 6455: 'roy', 6456: 'cooking', 6457: 'exhale', 6458: "b-52's:", 6459: 'sight-unseen', 6460: 'straighten', 6461: 'premise', 6462: 'belts', 6463: "smokin'", 6464: 'worldly', 6465: 'cobbling', 6466: 'face-macer', 6467: "fightin'", 6468: "linin'", 6469: 'guard', 6470: 'hillary', 6471: 'partially', 6472: 'slipped', 6473: 'life:', 6474: 'owes', 6475: 'goo', 6476: 'life-sized', 6477: 'darkness', 6478: 'elocution', 6479: "puttin'", 6480: 'moonshine', 6481: 'k-zug', 6482: 'rem', 6483: 'hose', 6484: 'direction', 6485: "rustlin'", 6486: 'steinbrenner', 6487: 'term', 6488: 'negative', 6489: 'linda_ronstadt:', 6490: "heat's", 6491: 'sprawl', 6492: 'nominated', 6493: 'regulations', 6494: 'multi-purpose', 6495: 'post-suicide', 6496: 'manchego', 6497: 'suru', 6498: 'promise', 6499: 'daniel', 6500: 'showered', 6501: 'young_barfly:', 6502: 'glummy', 6503: 'theory', 6504: 'she-pu', 6505: 'oughtta', 6506: 'savings', 6507: 'windshield', 6508: 'exhibit', 6509: 'accusing', 6510: 'cranberry', 6511: 'howya', 6512: 'arm-pittish', 6513: 'shakes', 6514: 'small_boy:', 6515: "nothin's", 6516: 'piano', 6517: 'carny:', 6518: "'ere", 6519: 'voted', 6520: 'rome', 6521: 'scrutinizes', 6522: 'fools', 6523: 'presidents', 6524: 'militia', 6525: 'pronto', 6526: 'mindless', 6527: 'versus', 6528: 'full-time', 6529: 'squirrels', 6530: 'raking', 6531: 'voodoo', 6532: 'wh', 6533: 'slot', 6534: 'mellow', 6535: "tinklin'", 6536: 'easygoing', 6537: "hell's", 6538: 'unbelievably', 6539: 'options', 6540: 'seething', 6541: 'b-day', 6542: 'bum:', 6543: 'trenchant', 6544: 'marquee', 6545: 'wife-swapping', 6546: 'el', 6547: 'thnord', 6548: 'ihop', 6549: "i'unno", 6550: 'dyspeptic', 6551: 'flame', 6552: 'patron_#2:', 6553: 'hafta', 6554: 'trash', 6555: 'kadlubowski', 6556: 'wiping', 6557: 'unsourced', 6558: 'chug-monkeys', 6559: 'prices', 6560: 'mumble', 6561: 'transmission', 6562: "startin'", 6563: 'lessee', 6564: 'si-lent', 6565: 'trees', 6566: 'today/', 6567: 'brakes', 6568: 'jackson', 6569: 'whatchamacallit', 6570: 'unattended', 6571: 'taxes', 6572: 'assume', 6573: 'clenched', 6574: 'sobriety', 6575: 'junkyard', 6576: 'the_edge:', 6577: 'overstressed', 6578: 'quimby_#2:', 6579: 'prep', 6580: 'horribilis', 6581: 'ron_howard:', 6582: 'old-time', 6583: 'opens', 6584: 'experienced', 6585: 'arabs', 6586: 'wuss', 6587: 'incriminating', 6588: 'morning-after', 6589: 'total', 6590: 'cab_driver:', 6591: 'toe', 6592: 'dark', 6593: "changin'", 6594: 'ear', 6595: 'compare', 6596: 'coherent', 6597: 'zack', 6598: 'ferry', 6599: 'consciousness', 6600: 'fulla', 6601: 'jams', 6602: 'emergency', 6603: 'choke', 6604: 'corkscrews', 6605: 'orphan', 6606: 'bachelorhood', 6607: 'lewis', 6608: 'pumping', 6609: 'comforting', 6610: 'samples', 6611: 'passenger', 6612: 'faith', 6613: 'ratted', 6614: 'switched', 6615: 'hideous', 6616: 'assumed', 6617: 'squeals', 6618: 'popped', 6619: 'flustered', 6620: 'discriminate', 6621: 'flew', 6622: 'frazier', 6623: 'leak', 6624: 'whoopi', 6625: 'sangre', 6626: 'mirthless', 6627: 'scarf', 6628: 'problemo', 6629: 'itself', 6630: 'gasoline', 6631: 'hitchhike', 6632: "betsy'll", 6633: 'moesy', 6634: 'founded', 6635: 'locked', 6636: 'store-bought', 6637: 'sass', 6638: 'foundation', 6639: 'patting', 6640: 'onto', 6641: 'starla', 6642: 'cheaper', 6643: 'ho-la', 6644: 'hubub', 6645: 'outstanding', 6646: 'chinese_restaurateur:', 6647: 'interesting', 6648: 'renders', 6649: 'gil_gunderson:', 6650: 'aisle', 6651: 'poetics', 6652: 'horns', 6653: 'loudly', 6654: 'nonchalant', 6655: 'practically', 6656: 'william', 6657: 'videotaped', 6658: 'soaking', 6659: "president's", 6660: 'i/you', 6661: '70', 6662: 'unavailable', 6663: 'invulnerable', 6664: '50%', 6665: 'happiness', 6666: 'totalitarians', 6667: 'gossipy', 6668: "yesterday's", 6669: 'hammy', 6670: 'spouses', 6671: 'access', 6672: 'hammock', 6673: "getting'", 6674: 'faceful', 6675: 'sagely', 6676: "hawkin'", 6677: 'connor-politan', 6678: 'suave', 6679: "can't-believe-how-bald-he-is", 6680: 'reciting', 6681: 'approval', 6682: 'muffled', 6683: 'upn', 6684: "what'd", 6685: "c'mom", 6686: 'a-a-b-b-a', 6687: 'housewife', 6688: 'presto:', 6689: 'wieners', 6690: 'breathtaking', 6691: 'according', 6692: 'parrot', 6693: 'extract', 6694: "usin'", 6695: 'bachelorette', 6696: 'beefs', 6697: 'chumbawamba', 6698: 'tank', 6699: 'resenting', 6700: 'appalled', 6701: 'shuts', 6702: 'lou', 6703: 'limber', 6704: 'courts', 6705: 'stooges', 6706: 'sloe', 6707: 'cheered', 6708: "toot's", 6709: 'picky', 6710: 'carpet', 6711: 'credit', 6712: 'snotty', 6713: 'enforced', 6714: 'wildest', 6715: 'commanding', 6716: 'liven', 6717: 'provide', 6718: 'dishonor', 6719: 'fierce', 6720: 'motto', 6721: 'spirit', 6722: 'half-day', 6723: 'maintenance', 6724: 'mice', 6725: 'musses', 6726: 'birth', 6727: 'brotherhood', 6728: 'brief', 6729: 'guttural', 6730: 'absentmindedly', 6731: 'grocery', 6732: 'cup', 6733: 'prolonged', 6734: 'insensitive', 6735: 'grubby', 6736: 'clipped', 6737: 'hostile', 6738: 'flash', 6739: 'traditions', 6740: 'moonlight', 6741: 'haiti', 6742: 'stays', 6743: 'flush', 6744: 'thorough', 6745: 'marjorie', 6746: 'wildfever', 6747: 'stonewall', 6748: 'said:', 6749: 'tons', 6750: 'mistakes', 6751: 'delicate', 6752: 'mini-dumpsters', 6753: 'knocks', 6754: 'bits', 6755: 'pets', 6756: 'wears', 6757: 'instantly', 6758: 'adventure', 6759: 'thrown', 6760: 'family-owned', 6761: 'and:', 6762: 'absolut', 6763: 'glowers', 6764: 'crotch', 6765: 'temples', 6766: 'listens', 6767: 'voters', 6768: 'shifty', 6769: 'lingus', 6770: 'lied', 6771: 'shutup', 6772: 'horses', 6773: 'represents', 6774: 'mason', 6775: 'apology', 6776: 'bumbling', 6777: 'judges', 6778: "y'money's"}
This is your first checkpoint. If you ever decide to come back to this notebook or have to restart the notebook, you can start from here. The preprocessed data has been saved to disk.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import helper
import numpy as np
import problem_unittests as tests
int_text, vocab_to_int, int_to_vocab, token_dict = helper.load_preprocess()
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
from distutils.version import LooseVersion
import warnings
import tensorflow as tf
# Check TensorFlow Version
assert LooseVersion(tf.__version__) >= LooseVersion('1.0'), 'Please use TensorFlow version 1.0 or newer'
print('TensorFlow Version: {}'.format(tf.__version__))
# Check for a GPU
if not tf.test.gpu_device_name():
warnings.warn('No GPU found. Please use a GPU to train your neural network.')
else:
print('Default GPU Device: {}'.format(tf.test.gpu_device_name()))
TensorFlow Version: 1.0.0 Default GPU Device: /gpu:0
Implement the get_inputs() function to create TF Placeholders for the Neural Network. It should create the following placeholders:
name parameter.Return the placeholders in the following tuple (Input, Targets, LearningRate)
def get_inputs():
"""
Create TF Placeholders for input, targets, and learning rate.
:return: Tuple (input, targets, learning rate)
"""
# TODO: Implement Function
Input = tf.placeholder(tf.int32, shape=(None,None),name='input')
targets = tf.placeholder(tf.int32, shape=(None,None),name='Targets')
learning_rate = tf.placeholder(tf.float32, shape=None,name="LearningRate")
return (Input,targets,learning_rate)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_inputs(get_inputs)
Tests Passed
Stack one or more BasicLSTMCells in a MultiRNNCell.
rnn_sizezero_state() functiontf.identity()Return the cell and initial state in the following tuple (Cell, InitialState)
def get_init_cell(batch_size, rnn_size):
"""
Create an RNN Cell and initialize it.
:param batch_size: Size of batches
:param rnn_size: Size of RNNs
:return: Tuple (cell, initialize state)
"""
num_layers = 2
lstm_layer = tf.contrib.rnn.BasicLSTMCell(rnn_size)
#cell = tf.contrib.rnn.MultiRNNCell([lstm_layer]*num_of_layers)
# Initial state of the LSTM memory.
# initial_state = state = stacked_lstm.zero_state(batch_size, tf.float32)
cell = tf.contrib.rnn.MultiRNNCell([lstm_layer] * num_layers)
initial_state = cell.zero_state(batch_size, tf.float32)
initial_state = tf.identity(initial_state, name='initial_state')
return (cell, initial_state)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_init_cell(get_init_cell)
Tests Passed
Apply embedding to input_data using TensorFlow. Return the embedded sequence.
def get_embed(input_data, vocab_size, embed_dim):
"""
Create embedding for <input_data>.
:param input_data: TF placeholder for text input.
:param vocab_size: Number of words in vocabulary.
:param embed_dim: Number of embedding dimensions
:return: Embedded input.
"""
# TODO: Implement
#n_embedding = 200 # Number of embedding features
#embedding = tf.Variable(tf.truncated_normal((vocab_size, embed_dim), stddev=0.01))
#embeding = tf.nn.embedding_lookup(embedding, input_data)
embedded_input = tf.Variable(tf.truncated_normal((vocab_size, embed_dim), stddev=0.01))
embedded_input = tf.nn.embedding_lookup(embedded_input, input_data)
return embedded_input
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_embed(get_embed)
Tests Passed
You created a RNN Cell in the get_init_cell() function. Time to use the cell to create a RNN.
tf.nn.dynamic_rnn()tf.identity()Return the outputs and final_state state in the following tuple (Outputs, FinalState)
def build_rnn(cell, inputs):
"""
Create a RNN using a RNN Cell
:param cell: RNN Cell
:param inputs: Input text data
:return: Tuple (Outputs, Final State)
"""
# TODO: Implement Function
#n_vocab = len(int_to_vocab)
outputs, final_state = tf.nn.dynamic_rnn(cell, inputs, dtype=tf.float32)
final_state = tf.identity(final_state, name="final_state")
return (outputs, final_state)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_build_rnn(build_rnn)
Tests Passed
Apply the functions you implemented above to:
input_data using your get_embed(input_data, vocab_size, embed_dim) function.cell and your build_rnn(cell, inputs) function.vocab_size as the number of outputs.Return the logits and final state in the following tuple (Logits, FinalState)
def build_nn(cell, rnn_size, input_data, vocab_size, embed_dim):
"""
Build part of the neural network
:param cell: RNN cell
:param rnn_size: Size of rnns
:param input_data: Input data
:param vocab_size: Vocabulary size
:param embed_dim: Number of embedding dimensions
:return: Tuple (Logits, FinalState)
"""
# TODO: Implement Function
embeddings = get_embed(input_data, vocab_size, rnn_size)
outputs,FinalState = build_rnn(cell, embeddings)
w_init = tf.truncated_normal_initializer(stddev = 0.01)
b_init = tf.zeros_initializer()
Logits = tf.contrib.layers.fully_connected(outputs,
vocab_size,
#weights_initializer = w_init,
#biases_initializer=b_init,
activation_fn=None)
return (Logits, FinalState)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_build_nn(build_nn)
Tests Passed
Implement get_batches to create batches of input and targets using int_text. The batches should be a Numpy array with the shape (number of batches, 2, batch size, sequence length). Each batch contains two elements:
[batch size, sequence length][batch size, sequence length]If you can't fill the last batch with enough data, drop the last batch.
For exmple, get_batches([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20], 3, 2) would return a Numpy array of the following:
[
# First Batch
[
# Batch of Input
[[ 1 2], [ 7 8], [13 14]]
# Batch of targets
[[ 2 3], [ 8 9], [14 15]]
]
# Second Batch
[
# Batch of Input
[[ 3 4], [ 9 10], [15 16]]
# Batch of targets
[[ 4 5], [10 11], [16 17]]
]
# Third Batch
[
# Batch of Input
[[ 5 6], [11 12], [17 18]]
# Batch of targets
[[ 6 7], [12 13], [18 1]]
]
]
Notice that the last target value in the last batch is the first input value of the first batch. In this case, 1. This is a common technique used when creating sequence batches, although it is rather unintuitive.
def get_batches(int_text, batch_size, seq_length):
"""
Return batches of input and target
:param int_text: Text with the words replaced by their ids
:param batch_size: The size of batch
:param seq_length: The length of sequence
:return: Batches as a Numpy array
"""
# TODO: Implement Function
'''num_batch = len(int_text) // (seq_length*batch_size)
batches = np.empty((num_batch,2, batch_size, seq_length))
for i in range(num_batch):
for j in range(batch_size):
batches[i][0][j]=int_text[i*seq_length:i*seq_length+seq_length]
batches[i][1][j]=int_text[i*seq_length+1:i*seq_length+seq_length+1]
return batches'''
n_batches = len(int_text)//(batch_size*seq_length)
inputs = np.array(int_text[:n_batches*(batch_size*seq_length)])
targets = np.array(int_text[1:n_batches*(batch_size*seq_length)+1])
targets[-1] = inputs[0]
input_batches = np.split(inputs.reshape(batch_size, -1), n_batches, 1)
target_batches = np.split(targets.reshape(batch_size, -1), n_batches, 1)
output = np.array(list(zip(input_batches, target_batches)))
return output
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
test_batch_size = 128
test_seq_length = 5
test_int_text = list(range(1000*test_seq_length))
print (get_batches([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20], 3, 2))
tests.test_get_batches(get_batches)
[[[[ 1 2] [ 7 8] [13 14]] [[ 2 3] [ 8 9] [14 15]]] [[[ 3 4] [ 9 10] [15 16]] [[ 4 5] [10 11] [16 17]]] [[[ 5 6] [11 12] [17 18]] [[ 6 7] [12 13] [18 1]]]] Tests Passed
Tune the following parameters:
num_epochs to the number of epochs.batch_size to the batch size.rnn_size to the size of the RNNs.embed_dim to the size of the embedding.seq_length to the length of sequence.learning_rate to the learning rate.show_every_n_batches to the number of batches the neural network should print progress.# Number of Epochs
num_epochs = 46
# Batch Size
batch_size = 512
# RNN Size
rnn_size = 1024
# Sequence Length
seq_length = 15
# Learning Rate
learning_rate = 0.01
# Show stats for every n number of batches
show_every_n_batches = 100
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
save_dir = './save'
Build the graph using the neural network you implemented.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
from tensorflow.contrib import seq2seq
train_graph = tf.Graph()
with train_graph.as_default():
vocab_size = len(int_to_vocab)
input_text, targets, lr = get_inputs()
input_data_shape = tf.shape(input_text)
cell, initial_state = get_init_cell(input_data_shape[0], rnn_size)
logits, final_state = build_nn(cell, rnn_size, input_text, vocab_size, embed_dim)
# Probabilities for generating words
probs = tf.nn.softmax(logits, name='probs')
# Loss function
cost = seq2seq.sequence_loss(
logits,
targets,
tf.ones([input_data_shape[0], input_data_shape[1]]))
# Optimizer
optimizer = tf.train.AdamOptimizer(lr)
# Gradient Clipping
gradients = optimizer.compute_gradients(cost)
capped_gradients = [(tf.clip_by_value(grad, -1., 1.), var) for grad, var in gradients if grad is not None]
train_op = optimizer.apply_gradients(capped_gradients)
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
batches = get_batches(int_text, batch_size, seq_length)
with tf.Session(graph=train_graph) as sess:
sess.run(tf.global_variables_initializer())
for epoch_i in range(num_epochs):
state = sess.run(initial_state, {input_text: batches[0][0]})
for batch_i, (x, y) in enumerate(batches):
feed = {
input_text: x,
targets: y,
initial_state: state,
lr: learning_rate}
train_loss, state, _ = sess.run([cost, final_state, train_op], feed)
# Show every <show_every_n_batches> batches
if (epoch_i * len(batches) + batch_i) % show_every_n_batches == 0:
print('Epoch {:>3} Batch {:>4}/{} train_loss = {:.3f}'.format(
epoch_i,
batch_i,
len(batches),
train_loss))
# Save Model
saver = tf.train.Saver()
saver.save(sess, save_dir)
print('Model Trained and Saved')
Epoch 0 Batch 0/8 train_loss = 8.822 Epoch 12 Batch 4/8 train_loss = 3.981 Epoch 25 Batch 0/8 train_loss = 2.652 Epoch 37 Batch 4/8 train_loss = 1.385 Model Trained and Saved
Save seq_length and save_dir for generating a new TV script.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
# Save parameters for checkpoint
helper.save_params((seq_length, save_dir))
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import tensorflow as tf
import numpy as np
import helper
import problem_unittests as tests
_, vocab_to_int, int_to_vocab, token_dict = helper.load_preprocess()
seq_length, load_dir = helper.load_params()
Get tensors from loaded_graph using the function get_tensor_by_name(). Get the tensors using the following names:
Return the tensors in the following tuple (InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor)
def get_tensors(loaded_graph):
"""
Get input, initial state, final state, and probabilities tensor from <loaded_graph>
:param loaded_graph: TensorFlow graph loaded from file
:return: Tuple (InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor)
"""
# TODO: Implement Function
#with tf.Session(graph=loaded_grap)
#session_graph = sess.run(loaded_graph)
InputTensor = loaded_graph.get_tensor_by_name("input:0")
InitialStateTensor = loaded_graph.get_tensor_by_name("initial_state:0")
finalStateTensor = loaded_graph.get_tensor_by_name("final_state:0")
ProbsTensor = loaded_graph.get_tensor_by_name("probs:0")
return (InputTensor, InitialStateTensor, finalStateTensor, ProbsTensor)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_tensors(get_tensors)
Tests Passed
Implement the pick_word() function to select the next word using probabilities.
def pick_word(probabilities, int_to_vocab):
"""
Pick the next word in the generated text
:param probabilities: Probabilites of the next word
:param int_to_vocab: Dictionary of word ids as the keys and words as the values
:return: String of the predicted word
"""
# TODO: Implement Function
print (int_to_vocab.values())
print (np.random.choice(list(int_to_vocab.values()),1, list(probabilities))[0])
return np.random.choice(list(int_to_vocab.values()),1, list(probabilities))[0]
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_pick_word(pick_word)
dict_values(['this', 'is', 'a', 'test']) a Tests Passed
This will generate the TV script for you. Set gen_length to the length of TV script you want to generate.
gen_length = 200
# homer_simpson, moe_szyslak, or Barney_Gumble
prime_word = 'moe_szyslak'
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
loaded_graph = tf.Graph()
with tf.Session(graph=loaded_graph) as sess:
# Load saved model
loader = tf.train.import_meta_graph(load_dir + '.meta')
loader.restore(sess, load_dir)
# Get Tensors from loaded model
input_text, initial_state, final_state, probs = get_tensors(loaded_graph)
# Sentences generation setup
gen_sentences = [prime_word + ':']
prev_state = sess.run(initial_state, {input_text: np.array([[1]])})
# Generate sentences
for n in range(gen_length):
# Dynamic Input
dyn_input = [[vocab_to_int[word] for word in gen_sentences[-seq_length:]]]
dyn_seq_length = len(dyn_input[0])
# Get Prediction
probabilities, prev_state = sess.run(
[probs, final_state],
{input_text: dyn_input, initial_state: prev_state})
pred_word = pick_word(probabilities[dyn_seq_length-1], int_to_vocab)
gen_sentences.append(pred_word)
# Remove tokens
tv_script = ' '.join(gen_sentences)
for key, token in token_dict.items():
ending = ' ' if key in ['\n', '(', '"'] else ''
tv_script = tv_script.replace(' ' + token.lower(), key)
tv_script = tv_script.replace('\n ', '\n')
tv_script = tv_script.replace('( ', '(')
print(tv_script)
dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) till dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) infatuation dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) something's dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) virile dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) bite dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) finally dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) mayan dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) drift dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) sniffles dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) sister dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) conspiratorial dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) stage dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) roomy dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) decadent dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) newspaper dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) ails dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) skunk dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) malabar dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) nearly dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) full dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) stewart dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) hands dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) unusually dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) caricature dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) declan_desmond: dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) incapable dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) to dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) hat dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) whining dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) huge dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) toasting dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) snake dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) delts dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) girls dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) buried dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) jubilation dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) knocks dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) pocket dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) considers dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) locklear dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) somethin' dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) tv_husband: dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) should dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) sassy dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) mcstagger's dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) fighter dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) string dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) luv dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) germany dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) child dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) your dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) buried dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) two dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) booze-bags dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) fast-paced dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) one's dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) supplying dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) disrobin' dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) margarita dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) ballot dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) kids dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) fishing dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) arimasen dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) kucinich dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) yet dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) 'pu dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) truck_driver: dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) sent dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) disappointment dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) conversations dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) risqué dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) ladies dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) cut dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) industry dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) eddie: dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) squadron dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) banned dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) tab's dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) leprechaun dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) annie dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) dislike dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) doing dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) effervescent dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) exquisite dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) woman_bystander: dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) thumb dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) up dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) stumble dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) die-hard dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) coy dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) time dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) dateline: dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) punkin dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) thirty-nine dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) traffic dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) absentminded dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) g'ahead dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) forgot dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) according dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) marmaduke dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) roach dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) contemporary dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) ad dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) privacy dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) w dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) 'cause dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) woe: dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) julienne dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) dan dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) nerd dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) chinua dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) window dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) finger dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) boy dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) french dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) legal dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) forty-five dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) pickin' dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) grains dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) marry dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) exploiter dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) mcclure dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) michelin dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) eat dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) string dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) source dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) ohmygod dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) haw dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) department dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) media dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) go-near- dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) grandmother dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) beer dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) resist dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) suru dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', 'trying', 'fun', 'bar_rag:', 'live', 'shocked', 'stick', 'far', 'front', 'lousy', 'barflies', 'bit', 'mother', 'else', 'crowd:', "'bout", 'thousand', 'anymore', 'goodbye', 'less', 'ma', 'light', 'turned', 'joe', 'alive', 'young', 'person', 'delete', 'drinks', 'may', 'whip', 'playing', 'pull', 'annoyed', 'morning', 'marriage', 'special', 'such', 'late', 'perfect', 'point', 'air', 'tsk', 'ten', "shouldn't", 'probably', 'married', 'private', 'either', 'bowl', 'gasps', 'police', 'times', 'blue', 'girls', 'butt', 'apu', 'heh', 'thinks', 'year', 'soon', 'poor', 'learned', 'greatest', 'second', 'card', 'arm', 'duffman', 'boys', 'found', 'cool', 'instead', 'taking', "how'd", 'store', 'later', 'knows', 'turning', 'anybody', 'rev', 'nods', 'shotgun', 'boxing', 'eight', 'moron', 'picture', 'smell', 'join', 'couple', 'feet', 'fifty', 'american', 'shot', 'goes', 'buddy', 'pig', 'christmas', 'nothing', 'barn', 'lucky', 'yet', 'mind', 'president', 'letter', 'throw', 'miss', 'beers', 'angry', 'minutes', 'king', 'uh-huh', 'blood', 'mayor_joe_quimby:', 'ass', 'goodnight', 'ticket', 'youse', 'jacques', 'walk', 'both', 'patty_bouvier:', 'agnes_skinner:', 'open', 'lemme', 'tab', 'alone', 'kick', 'exactly', 'box', 'serious', 'deal', 'alright', 'seat', 'son', "he'll", 'together', 'semicolon', 'crap', 'street', 'peanuts', 'ned', 'tap', 'sitting', 'making', "ol'", 'english', 'inside', 'damn', 'warmly', 'o', 'forever', 'means', 'etc', 'though', 'saying', 'sotto', 'la', 'lucius:', 'human', 'wire', 'kiss', 'move', 'pour', 'fast', 'walking', 'number', 'japanese', 'hide', 'food', 'telling', 'finally', 'homie', 'plant', 'friendly', 'glove', 'ready', 'happier', "kiddin'", 'afraid', 'young_marge:', 'days', 'word', 'terrible', 'seems', 'city', 'scared', 'run', 'grampa', 'plus', 'welcome', 'top', 'glad', 'mrs', 'words', 'proudly', 'story', 'ha', 'dry', 'collette:', 'ball', 'himself', 'intrigued', 'black', 'send', 'hang', 'paint', 'butts', 'huge', 'horrible', 'advice', 'weird', 'accident', 'eggs', 'nine', 'amazed', 'dance', 'narrator:', 'favorite', 'return', 'comic_book_guy:', 'fellas', 'round', 'losers', 'rummy', 'moans', 'channel', 'cold', 'news', 'somebody', 'using', 'smile', 'table', 'broke', 'full', 'hmm', 'selma_bouvier:', 'screw', "makin'", 's', 'ahh', 'warm_female_voice:', 'renee:', 'lives', 'health', 'belch', 'bet', 'week', 'omigod', 'flanders', 'touched', 'plan', 'water', 'sent', 'hard', 'won', 'class', 'ones', 'half', 'worst', 'smells', 'eating', 'crack', 'birthday', 'health_inspector:', "that'll", 'group', 'hair', 'bitter', 'sex', 'principal', 'stool', 'szyslak', "sayin'", 'across', 'tip', 'bag', 'denver', 'baseball', 'fat_tony:', 'lowers', 'manjula_nahasapeemapetilon:', 'gumbel', 'dumb', 'invented', 'takes', 'tune', 'lying', 'slap', 'jukebox', 'safe', 'except', 'men', 'company', 'maya:', 'harv:', 'kent', 'supposed', 'thirty', 'al', 'dangerous', 'bow', 'sips', 'loved', 'holds', 'treasure', 'desperate', 'princess', 'joey', 'dunno', 'tony', 'truth', 'uncle', 'numbers', 'forgot', 'normal', 'brought', 'walther_hotenhoffer:', 'sick', 'strong', 'milk', 'giving', 'write', 'honey', 'state', 'nigel_bakerbutcher:', 'fill', 'pass', 'mister', 'admit', 'power', "we'd", 'along', 'became', 'charge', 'music', 'same', 'seconds', 'impressed', 'young_homer:', 'rat', 'football_announcer:', '_julius_hibbert:', 'hit', 'laughing', 'tinkle', 'holding', 'plastic', 'gives', 'shall', 'early', 'star', 'romantic', 'set', 'honest', 'heaven', 'fall', 'slow', 'quick', 'gold', 'ice', 'hank_williams_jr', 'lou:', 'speaking', 'hanging', 'fingers', 'punch', 'names', 'disappointed', 'brockman', 'mouse', 'announcer:', 'unless', 'exasperated', 'joint', 'detective_homer_simpson:', 'dame', 'few', 'yep', 'yea', 'calm', 'survive', "one's", 'p', 'cleaned', 'i-i', 'handsome', 'chanting', 'also', 'confused', 'america', 'cost', 'nuclear', 'hated', 'pool', 'beach', 'beloved', 'biggest', 'owe', 'third', 'ago', 'broad', 'lloyd:', 'bee', 'wall', 'african', 'center', 'wonder', 'hopeful', 'ashamed', 'all:', 'lord', "callin'", 'favor', "guy's", 'writing', 'catch', 'french', 'soul', 'jerks', 'local', 'children', "world's", 'wonderful', 'invited', 'stunned', 'totally', 'artie', 'until', 'given', 'doubt', 'side', 'short', 'wheel', 'dallas', 'red', "sittin'", 'hospital', 'having', 'speak', 'tired', 'lessons', 'park', 'empty', 'little_man:', "workin'", 'dude', 'represent', 'swear', 'adult_bart:', 'rest', 'clears', 'filthy', 'games', 'clear', 'nein', 'part', "tellin'", 'dying', 'jack', 'cop', 'puzzled', 'designated', 'pipe', 'proud', "i'm-so-stupid", 'coaster', 'truck', "lisa's", 'clown', 'cow', 'fish', 'act', "how's", 'shaking', "tryin'", 'rope', 'grand', 'suit', 'government', 'daddy', 'suddenly', 'nineteen', 'surgery', 'pop', 'gay', 'tongue', 'tv_wife:', 'running', 'selma', 'counting', 'sober', 'offended', 'driving', 'changing', 'pity', 'movie', 'sauce', 'caught', 'service', 'suicide', 'x', 'club', 'wrote', 'cheer', 'fellow', 'mike', 'against', 'cutting', 'women', 'longer', 'closed', 'shirt', 'accent', 'named', 'during', 'bender:', 'treat', 'piece', 'mayor', 'tv_husband:', 'jar', 'testing', "drivin'", 'felt', 'chug', 'ad', 'jeez', 'window', 'mine', "he'd", 'thumb', 'duh', 'brilliant', 'sunday', 'tree', 'college', 'saved', 'strap', 'sharps', 'edna_krabappel-flanders:', 'dank', 'none', 'sob', 'deer', 'troll', '_hooper:', 'wallet', 'man:', 'glasses', 'billy_the_kid:', 'bed', 'evening', 'absolutely', 'glen:', 'luck', '_zander:', 'customers', 'asked', 'quietly', 'drederick', 'stories', 'speech', 'lose', 'wine', 'needs', 'isotopes', 'boring', "smokin'_joe_frazier:", 'horrified', 'wha', 'bank', 'career', 'vance', 'rich', 'hoping', 'calls', 'yesterday', 'starts', 'computer', 'original', 'meeting', 'adeleine', 'dan_gillick:', 'husband', 'father', 'clothes', 'stirring', 'arrest', 'garbage', 'woman:', 'amazing', 'rather', 'train', 'fan', 'brain', 'lotta', 'boat', 'bars', 'hurry', 'pickle', 'professional', 'egg', 'couch', 'billboard', 'weekly', 'snake', "moe's_thoughts:", 'threw', 'case', 'line', 'working', 'answer', 'fifteen', 'amid', 're:', 'buffalo', 'thoughtful', 'different', 'sports', 'pickled', 'figured', 'teach', 'burps', 'dang', "watchin'", 'wally:', 'match', 'partner', 'chick', "buyin'", 'pulls', 'arms', 'minimum', 'ahead', 'character', 'gin', 'tail', 'jerk', 'gas', 'spot', "carl's", 'finding', 'dramatic', 'ominous', "what'll", 'sense', "livin'", 'knock', 'trip', 'upbeat', 'rag', 'therapy', 'fridge', 'choice', 'question', 'correct', 'ooo', 'cable', 'radishes', 'usually', 'pitcher', 'breath', 'neck', 'pulled', 'plow', 'meaningful', 'market', 'smooth', "today's", 'enjoy', 'heavyweight', 'pipes', 'coat', 'buttons', 'embarrassed', 'situation', 'sheepish', 'understand', 'amanda', 'south', 'pointed', 'bye', 'teenage_barney:', 'sincere', 'needed', 'moment', 'sexy', 'hungry', 'sold', 'yap', 'whisper', 'precious', 'dollar', 'keeps', 'bees', 'blow', 'folks', 'cries', 'girlfriend', 'address', 'sarcastic', 'awkward', 'whaddaya', 'belches', "dad's", 'procedure', 'yellow', 'flips', 'band', 'dennis_conroy:', 'wear', 'opportunity', 'new_health_inspector:', 'quite', 'mug', 'respect', 'months', 'frustrated', 'secrets', 'burp', 'monster', 'u', 'kidding', 'foibles', 'ken:', 'deep', 'hits', 'restaurant', 'cover', 'almost', 'ivana', 'senator', 'body', 'illegal', 'yard', 'renee', 'hugh:', 'lie', 'flower', 'betty:', "everyone's", 'pit', 'drug', 'sister', 'agent', "valentine's", 'movies', 'castle', 'bald', 'closing', 'hero', 'ruined', 'whee', 'nose', 'test', 'twins', 'grim', 'championship', 'clearly', 'sit', 'tom', 'pain', 'forty', 'à', 'fbi', 'france', 'lips', 'furious', "o'clock", 'sees', 'tatum', 'sly', 'hm', 'legs', 'stillwater:', 'rotch', 'bottom', 'sits', 'huggenkiss', 'eleven', 'stagy', 'ride', 'sobbing', 'stock', 'twelve', 'polite', 'selling', 'pleased', "bein'", 'island', 'domestic', 'gotten', 'smiling', 'magic', 'flowers', 'chocolate', 'bill', 'hans:', 'seem', 'follow', 'died', 'forget-me-shot', 'especially', "they've", 'finger', 'field', 'books', 'road', 'distraught', 'rob', 'explaining', 'pub', "who'll", 'able', 'started', 'raises', 'david_byrne:', 'loaded', 'fix', 'guns', 'ingredient', 'eddie:', 'feels', 'babies', 'beauty', 'video', "o'problem", 'liver', 'senators', 'milhouse_van_houten:', 'drivers', 'teenage_bart:', 'cares', 'offer', 'busy', 'scream', 'shows', 'ourselves', 'declan_desmond:', 'burt', 'whiny', 'har', 'motel', 'label', 'turkey', "they'll", 'palmerston', 'belly', 'recommend', 'beginning', 'singers:', 'feelings', 'hates', 'mudflap', 'uncomfortable', 'aww', 'toys', 'workers', 'team', 'pointing', 'bike', 'suppose', "they'd", 'system', 'ground', 'glen', 'cannot', 'alley', 'knocked', 'bunch', 'junior', 'switch', 'wide', 'its', 'doors', 'parking', 'searching', 'understanding', 'delighted', 'fact', "year's", 'checks', 'lots', 'andy', 'feed', 'holiday', 'suck', 'delicious', 'concerned', 'barney-shaped_form:', 'compliment', 'ordered', 'mel', 'perhaps', 'elder', 'crowd', 'pained', 'german', 'attention', 'slip', 'sadder', 'bitterly', 'whatcha', 'pathetic', 'age', "i-i'm", 'sniffs', 'roll', 'hole', 'pats', 'fraud', 'jamaican', 'pissed', 'crime', "c'mere", 'become', 'fool', 'prime', 'peach', 'teeth', 'evil', "'til", 'shape', 'idiot', 'struggling', 'law', 'nation', 'tradition', "where'd", 'lottery', 'seeing', 'accept', 'hall', 'fault', 'touchdown', 'jump', 'crawl', 'raising', 'push', 'flatly', 'indignant', 'grunt', 'finest', 'banks', 'tells', 'endorse', 'powerful', 'innocent', 'church', 'button', "wife's", 'international', 'hug', 'born', 'rough', 'miserable', 'pays', 'cameras', 'scene', 'peace', 'twenty-five', 'texas', 'looked', 'k', 'relax', 'foot', 'source', 'rub', 'yo', 'entire', 'greystash', 'wearing', 'consider', 'dirt', 'fans', 'cents', 'lately', 'bus', "bart's", 'leans', "men's", 'hurts', 'cocktail', 'sexual', 'paying', 'size', 'severe', 'ridiculous', 'lindsay_naegle:', 'single', 'covering', 'burning', 'moments', 'hunter', 'harv', 'uneasy', 'backwards', 'staying', "stinkin'", "could've", 'scotch', 'fireball', 'sweetly', 'noticing', 'odd', 'hilarious', 'serve', 'yee-haw', 'pocket', 'gary_chalmers:', 'ancient', 'changed', 'above', 'midnight', 'gary:', 'meant', 'scam', 'thankful', 'unlike', 'ring', 'brother', 'puff', 'james', 'traffic', 'middle', 'met', 'sadistic_barfly:', 'cute', 'tastes', 'dynamite', 'edison', 'history', 'challenge', 'stools', 'happily', 'milhouse', 'mafia', 'natural', 'reason', 'image', 'despite', 'fly', 'coffee', 'book_club_member:', 'vomit', 'future', 'stopped', 'tried', 'kept', "seein'", 'floor', 'f', 'der', 'ho', 'enemies', 'shove', 'military', 'comfortable', 'following', 'grabs', 'vegas', 'midge', 'rats', 'losing', 'scum', 'spit', 'tv_father:', 'toss', 'unlucky', 'who-o-oa', 'dive', 'buying', 'closer', 'taken', 'literature', 'register', 'bought', 'frankly', 'season', 'diet', 'crank', 'bret:', 'puke', 'peter', 'moved', 'mock', "barney's", 'stayed', 'nards', 'knowing', 'cigarette', 'terrified', 'general', 'stole', 'step', 'spinning', 'teenage', 'defensive', 'heads', 'modern', 'nobel', 'cards', 'aside', 'wiener', 'sec', 'awful', 'election', 'enemy', 'mechanical', 'likes', 'covers', 'coney', 'marvin', '&', 'incredulous', 'hmmm', 'expect', 'brains', 'whose', 'ran', 'imagine', 'dressed', "havin'", 'al_gore:', 'bowling', 'kissing', 'sisters', 'cheap', '_kissingher:', 'bite', 'snort', 'starting', 'share', 'operation', 'toward', 'higher', 'glum', 'jesus', 'cough', 'darts', 'weak', 'r', 'killed', 'men:', 'fourth', 'clientele', 'fumes', 'reminds', 'worked', 'screams', 'kwik-e-mart', "ridin'", 'extra', 'complete', 'mistake', 'leg', 'tears', 'sometime', 'list', 'popular', 'wooooo', 'hiya', 'kermit', 'finished', 'loan', 'sleep', 'pockets', 'ruin', 'cheers', 'then:', 'fork', 'anniversary', 'grunts', 'subject', 'inspector', 'pfft', 'order', 'reads', 'public', 'army', 'woo-hoo', 'gag', 'lonely', 'casual', 'double', 'tips', 'child', 'upon', '_babcock:', 'fritz:', 'spoken', 'celebrities', 'threatening', 'saturday', 'boo', 'wipe', 'chinese', 'talk-sings', 'drop', 'corpses', 'snaps', "kids'", 'wasting', 'spanish', 'checking', 'l', '_timothy_lovejoy:', 'bright', 'salad', 'helicopter', 'inspection', "gentleman's", 'drunks', 'focus', 'hour', 'somewhere', 'toilet', 'gift', 'ziffcorp', 'fair', 'sniffles', 'frink', 'sixty-nine', 'showing', 'letters', 'troy:', 'pardon', 'bob', 'thoughts', 'root', 'gently', 'fever', 'sec_agent_#1:', 'campaign', 'summer', 'panicky', 'chest', 'oil', 'anguished', 'driver', 'sucked', "robbin'", 'opening', 'clone', 'exhaust', 'theater', 'prank', 'british', 'text', 'trust', 'twenty-two', 'walks', 'stadium', 'exit', 'bless', 'embarrassing', 'jail', 'gal', 'toasting', 'played', 'corner', 'unison', 'per', 'past', 'dancing', 'religion', 'shares', 'death', 'accurate', 'careful', 'bar-boy', 'ohmygod', 'pageant', 'jack_larson:', 'directions', 'pause', 'afternoon', 'wayne:', 'license', 'paris', 'shoot', "lenny's", 'fancy', 'film', 'grabbing', 'spending', 'kang:', 'grow', 'breaking', 'invite', 'weeks', 'jolly', 'coach:', 'guest', 'customer', 'keeping', 'crummy', 'rid', 'afford', 'form', 'program', 'karaoke', 'cent', 'superior', 'record', "team's", 'vulnerable', 'insulted', 'appear', 'corporate', 'potato', 'blues', 'thoughtfully', 'brightening', 'don', 'lovely', 'closes', 'greetings', 'written', 'prohibit', 'koi', 'alfred', 'mention', 'worth', 'irish', 'roz:', 'smile:', 'marguerite:', 'genius', 'kicked', 'murmur', 'ball-sized', 'memories', "someone's", 'someday', '_powers:', 'yelling', 'rock', 'admiration', 'yup', 'pretending', 'plans', 'duel', 'yogurt', 'writers', 'dress', 'bigger', 'beneath', 'grimly', 'wedding', 'ech', 'tabooger', "'tis", 'mob', 'sooner', 'sinister', 'neil_gaiman:', 'dryer', 'sissy', 'pleasant', 'feast', "'topes", 'belong', 'punches', 'fondly', 'solo', 'hotline', 'funds', 'draw', 'website', 'forgive', 'maya', 'level', 'festival', 'pian-ee', 'degradation', 'cream', 'routine', 'greedy', 'nearly', 'jebediah', 'space', 'multiple', 'lover', 'minister', 'hawking:', 'abandon', 'slightly', 'tommy', 'surprise', 'margarita', 'involved', 'cowardly', 'formico:', 'blown', 'outlook', 'fighting', 'ye', "springfield's", 'alphabet', 'available', 'caused', 'mcstagger', 'obvious', 'trolls', 'putting', 'befouled', 'troy', 'manjula', 'miles', 'mop', "hasn't", 'excitement', 'fixed', 'snake-handler', "father's", 'held', "what'sa", 'pressure', 'restaurants', 'snorts', 'lock', "drawin'", 'action', 'appointment', 'bedroom', 'fausto', "what're", 'code', 'un-sults', 'ahhh', 'freedom', 'certain', 'ambrosia', 'tax', 'rage', "crawlin'", 'release', 'doreen:', 'santa', 'purse', 'fold', 'energy', 'coins', 'fudd', 'partly', 'white', 'smugglers', 'friendship', 'involving', 'louder', 'sandwich', 'somehow', 'restroom', 'sleeps', 'pride', 'organ', 'sympathetic', 'gargoyle', 'crew', 'peppy', 'completing', 'amount', 'craphole', 'floated', 'africa', 'magazine', 'is:', 'shoots', 'agreement', 'boozy', 'distributor', 'shrugging', 'jumps', 'medical', 'foil', 'tries', 'darkest', 'complaining', 'porn', 'prove', 'bucket', 'male_inspector:', 'therapist', 'w', 'eyesore', 'inspiring', 'corkscrew', 'reaching', 'tang', 'trusted', 'prize', 'celebrity', 'realize', 'priest', 'corporation', 'oof', 'scare', 'filled', 'effects', 'hobo', "beer's", 'bush', 'steel', 'square', 'windex', 'labels', 'seats', 'politics', 'henry', 'yours', 'radio', 'fevered', 'wang', 'swill', 'apartment', 'playful', 'joined', 'sale', 'laws', 'force', "buffalo's", "wonderin'", 'utility', 'academy', 'self-made', 'investor', 'studio', 'fabulous', 'forward', 'bear', 'curious', 'whistles', 'drawing', 'dee-fense', 'mail', 'wash', 'attitude', 'beep', 'grandmother', "cat's", 'yards', 'gorgeous', 'anarchy', 'payments', 'generous', 'liar', 'trapped', 'rumaki', 'remains', 'beam', 'devastated', 'ziff', 'lurleen_lumpkin:', 'whether', 'exchange', 'carlson', 'd', 'contest', "homer's_brain:", 'asking', "others'", 'lenny:', "fallin'", 'vacation', '7-year-old_brockman:', 'woman_bystander:', 'duty', 'heading', 'mmm', 'lurleen', 'boyfriend', 'stationery', 'discuss', 'scully', 'ollie', 'pointless', 'reasons', 'industry', 'failed', 'bird', 'planet', 'wayne', "it'd", 'fragile', "tester's", 'grade', 'passed', 'jailbird', 'needy', 'clock', 'authorized', 'kramer', 'awesome', 'served', 'astronaut', 'danish', 'watered-down', 'murmurs', 'pirate', 'mate', 'complaint', 'lazy', 'hangs', 'freak', 'andalay', 'rounds', 'acting', 'themselves', 'refresh', 'slight', 'mcbain', 'yoo', 'joke', 'value', 'wrestling', 'bathroom', 'vote', 'arab_man:', 'motorcycle', 'media', 'barkeep', 'shoulder', 'raccoons', 'shutting', 'honored', 'nigeria', 'kyoto', 'dials', 'teenage_homer:', 'kindly', 'although', 'safer', 'knees', 'ripcord', 'comic', 'coward', 'considering', 'began', 'patty', 'waltz', 'disgrace', 'achem', "waitin'", 'allowed', 'detecting', "bar's", 'moe-clone:', 'expert', 'mixed', 'neither', 'standards', 'professor', 'sector', 'bums', 'informant', 'wangs', 'nudge', 'fritz', 'excellent', 'tanked-up', 'combine', 'brewed', 'so-called', 'hibbert', 'plywood', 'european', 'ocean', 'chicks', 'soap', 'museum', 'helen', 'laramie', 'present', 'seemed', 'smoke', 'morlocks', 'manager', 'rap', 'mess', 'insightful', 'frosty', 'fanciest', 'smug', 'blend', 'aging', 'clinton', 'cake', 'photo', 'slice', 'chase', 'bedbugs', 'brothers', 'pope', 'recently', 'snap', "payin'", 'solid', 'trench', 'mona_simpson:', 'shooting', 'ayyy', 'scrape', 'interested', 'message', 'cheery', 'prepared', 'monkey', 'wondering', 'goods', 'anywhere', 'charity', 'sec_agent_#2:', 'onions', 'actors', 'decency', 'therefore', 'choking', 'hollywood', 'david', 'aged_moe:', 'thirteen', 'regret', 'voice:', 'teams', 'grab', 'bully', 'confident', 'giggles', 'falcons', 'bread', 'passion', 'ale', 'poking', 'bastard', 'promised', 'price', 'smoothly', 'plum', 'patient', 'willy', 'justice', 'calmly', "hadn't", 'jerry', 'deacon', 'standing', 'wave', 'managing', 'grumpy', 'neighbor', 'famous', 'placing', 'dreamed', 'elephants', 'listening', 'stealings', 'shaken', 'thru', 'appealing', 'sabermetrics', 'crying', 'cops', 'satisfaction', 'ha-ha', 'lloyd', 'cruel', 'blood-thirsty', 'nope', 'linda', 'wake', 'commission', 'punk', 'stern', 'ironed', 'tv_announcer:', 'schnapps', 'securities', 'familiar', 'suspect', 'mm', 'poet', 'handle', 'sat', 'sweetheart', 'babe', 'ginger', 'lights', 'knife', 'thighs', 'violations', 'brow', 'virtual', 'sea', 'hats', 'pleading', 'dismissive', 'pitch', 'bubble', 'deadly', 'shakespeare', 'queen', 'results', "showin'", 'dessert', 'hunting', 'raise', 'zero', 'bathing', "ma'am", 'frog', 'tick', 'mall', 'stir', '6', 'jockey', 'pleasure', 'brassiest', 'spent', 'roof', 'deliberate', 'poker', 'violin', "dyin'", "patrick's", 'awed', 'tofu', 'lowering', 'wolfe', 'poem', 'changes', "bartender's", 'painting', 'vodka', 'rules', 'boxing_announcer:', 'plenty', 'homers', 'product', 'prefer', 'doug:', 'flying', 'straining', 'towed', 'quotes', 'handing', 't-shirt', "maggie's", 'warily', "pope's", 'angel', 'steak', 'awww', "children's", 'social', 'reliable', 'yourselves', 'products', 'waylon', 'advance', 'bride', 'stinks', 'village', 'gang', 'explain', 'bourbon', 'belt', 'extremely', 'doll', 'dennis_kucinich:', 'underpants', 'wins', 'peanut', 'reserve', 'scary', 'borrow', 'inflated', 'sport', 'crossed', 'copy', 'curds', 'costume', 'owner', 'realized', 'reynolds', 'churchill', 'cheese', 'sometimes', 'director', 'carve', 'shaggy', 'bartenders', 'skirt', 'businessman_#1:', 'gosh', 'easier', 'gum', 'chum', 'freeze', 'alcoholic', 'bubbles', 'paid', 'positive', 'mount', 'nerve', 'camp', 'sports_announcer:', 'underbridge', 'jerky', 'admitting', 'delivery', 'cat', 'latin', 'project', 'remembered', 'candy', 'known', 'thanksgiving', 'b', 'skin', 'successful', 'tiny', 'syrup', 'laney_fontaine:', 'balls', 'sneaky', "weren't", 'bash', 'aggravated', 'refund', 'answering', 'sodas', 'decide', 'inspire', 'patterns', 'marmaduke', 'difficult', 'weary', "monroe's", 'granted', 'diamond', 'ohh', 'railroad', 'medicine', 'eyeball', 'percent', 'disappeared', 'taps', 'due', 'remembering', 'gentleman:', 'discussing', "countin'", 'effigy', 'superhero', 'advantage', 'beating', 'terrific', 'relieved', 'baritone', 'snow', 'defeated', 'formico', 'civic', 'century', 'bottles', 'tie', 'agent_johnson:', 'whenever', 'neat', 'dearest', 'cheat', 'bets', 'talked', 'aerosmith', 'dan', 'salt', 'lighting', 'charm', 'spy', 'tentative', 'quality', 'smallest', 'doreen', 'forbidden', 'calculate', 'deserve', 'wordloaf', 'wooden', 'seriously', 'stevie', 'intense', 'catching', 'nigerian', 'boxer', 'meal', 'gums', 'agree', 'begins', 'wade_boggs:', "other's", 'memory', 'crumble', 'torn', 'mortgage', 'puts', 'pint', 'suing', 'pin', 'pad', 'simp-sonnnn', 'kidney', 'soup', 'broadway', "marge's", 'conversation', 'reporter:', 'shock', 'jobs', 'roomy', 'bags', 'haw', 'jets', 'unfortunately', '1895', 'candidate', 'troy_mcclure:', 'morose', 'ringing', 'penny', 'mic', 'judge', 'helllp', 'conditioner', 'teacher', 'compliments', 'built', "town's", 'all-star', 'measurements', 'weirder', 'awwww', 'strategy', 'satisfied', 'spied', 'fictional', 'bugging', 'joking', 'smart', 'eventually', 'lise:', 'seek', 'lap', 'stuck', 'heavyset', 'bump', 'christopher', 'sugar', 'jubilant', 'thought_bubble_homer:', 'isle', 'bret', 'recall', 'judge_snyder:', 'busted', 'fox', 'stranger:', 'fox_mulder:', 'cars', 'juice', 'airport', 'koholic', 'drank', 'benefits', 'decent', "chewin'", 'cigarettes', 'eighty-one', 'grave', 'dropped', 'courage', 'reasonable', 'stands', 'carll', 'riding', 'manage', 'i-i-i', 'between', 'sitar', 'hitler', 'reach', 'dating', 'correcting', 'golf', 'cola', 'cueball', "'im", 'seas', 'wings', 'eighty-seven', 'ah-ha', 'dames', 'comedy', 'yell', 'ways', 'rule', 'compared', 'bartending', "game's", 'internet', 'civilization', 'denser', 'umm', "readin'", 'naked', 'awe', 'cozy', 'teddy', 'proposing', 'creeps', "meanin'", 'helped', 'vacuum', 'buried', 'chilly', 'rainier_wolfcastle:', 'twin', 'rolled', 'brave', 'cowboys', 'nasa', 'maman', 'slyly', 'retired', 'roses', 'suspicious', 'boneheaded', 'alfalfa', 'throwing', 'bears', 'lib', 'dough', 'dungeon', 'large', 'delivery_boy:', 'badges', 'missed', "shan't", 'pond', 'self-esteem', "ladies'", 'queer', 'carl:', 'wa', 'cooler', 'muttering', 'reviews', 'entirely', 'rolling', 'joey_kramer:', 'winnings', 'scooter', 'joining', 'smurfs', 'gator:', 'conference', 'louie:', '250', 'highway', 'skeptical', 'answers', 'banquo', 'continuing', 'bam', 'animals', 'shoo', 'honor', 'trick', 'fuss', 'deeply', 'increasingly', 'impatient', 'harder', 'grandiose', 'vampires', 'nickels', 'bold', 'planning', 'near', 'billion', 'sweeter', 'pigs', 'tale', 'pulling', 'possibly', 'naturally', 'hop', 'wing', 'forehead', 'page', 'effervescent', 'witty', 'tenor:', 'hired', 'confidence', 'flag', 'voice_on_transmitter:', 'pouring', 'woozy', 'admiring', 'relationship', 'sudden', 'emotional', 'love-matic', 'important', 'victory', 'expression', 'bashir', 'padre', 'shower', 'cleaner', "takin'", '100', 'warn', 'matter-of-fact', 'attempting', 'gals', 'cookies', 'attack', 'finishing', 'electronic', 'lush', 'cotton', 'beats', 'saint', 'department', 'tester', 'sausage', 'conspiratorial', 'mumbling', 'based', 'loss', 'charlie', "money's", 'guide', 'folk', 'drown', 'firmly', 'jeff', 'wishes', 'palm', 'row', 'ugliest', 'regulars', 'cutie', 'atlanta', 'acquaintance', 'spread', 'germs', 'bridge', 'express', 'champ', 'krabappel', 'twice', 'gifts', "hangin'", 'fresh', 'reached', 'sack', 'barely', 'yawns', 'prison', 'gun', 'broom', 'inspired', 'klingon', 'lucius', 'rhyme', 'dreams', 'disco', 'bible', 'color', 'barf', 'suds', 'princesses', 'ragtime', 'type', 'shrugs', 'hail', 'assistant', 'disapproving', 'weirded-out', 'grienke', 'thesaurus', 'young_moe:', 'prayer', 'blew', "england's", 'dispenser', 'dennis', 'unintelligent', 'revenge', 'startup', 'headhunters', 'feminine', 'disco_stu:', 'replace', 'chin', 'shriners', "doctor's", 'hanh', 'irishman', 'tight', 'hangout', 'key', 'obese', 'stalking', 'radical', "phone's", 'parasol', 'plane', 'sink', 'slit', 'nickel', 'gruff', 'safecracker', 'dae', 'plaintive', 'fella', 'mm-hmm', 'lame', 'stinky', 'excuses', "don'tcha", 'snout', 'brawled', 'triumphantly', 'presses', 'experiments', 'ebullient', 'neanderthal', 'specials', 'barstools', 'throws', 'salary', 'old_jewish_man:', 'icy', 'slobs', 'rims', 'item', 'dislike', 'doof', 'developed', 'fainted', 'brooklyn', "mopin'", 'contemplates', 'gator', 'du', 'cockroaches', 'y-you', "department's", 'barney-type', 'reminded', 'overturned', 'bathed', 'deals', 'rutabaga', 'slays', 'entering', 'terrace', 'oh-ho', 'shipment', 'virile', 'ohhhh', 'period', 'byrne', "show's", 'hotel', 'polygon', 'phony', 'underwear', "liberty's", 'loafers', "bashir's", 'flynt', 'gambler', 'woooooo', 'lump', 'sight', 'contract', 'nicer', 'boozehound', 'rotten', 'sweetest', 'paparazzo', 'bono', 'splash', 'stares', 'experience', 'mommy', "people's", 'oopsie', 'investigating', 'high-definition', 'spacey', 'self-satisfied', 'donut', 'p-k', 'rusty', 'moxie', "brockman's", 'grey', 'trade', 'perfume', 'weapon', 'flames', 'file', 'ripper', 'premiering', 'fringe', 'including', 'pantry', 'neighboreeno', 'eighty-five', 'doppler', 'hunky', 'hoped', 'encouraged', 'eurotrash', 'macaulay', 'tv_daughter:', 'layer', 'brag', 'wasted', "thing's", '_eugene_blatz:', 'juan', 'bono:', 'hmf', 'naively', 'steamed', 'skinny', 'hippies', 'whup', 'semi-imported', 'pus-bucket', 'mystery', 'forced', 'huhza', 'foam', 'quero', 'bolting', 'starving', 'looser', 'quebec', 'complicated', 'uhhhh', 'philosophical', 'nucular', 'generosity', 'safety', 'grammys', 'fondest', 'booth', 'aidens', 'sidelines', 'madison', 'collapse', "handwriting's", 'branding', 'cowboy', 'gig', 'jackpot-thief', 'sweaty', 'olive', 'kahlua', 'repairman', 'ew', 'man_with_tree_hat:', 'soaked', 'shop', 'danny', 'blinds', 'further', 'super-nice', 'ninety-six', 'television', 'wad', 'jimmy', 'cocoa', "dolph's_dad:", 'choked', "renee's", 'living', 'ram', 'sensitivity', 'beeps', 'two-thirds-empty', 'lime', 'malfeasance', 'stops', 'patrons', "man's", 'germany', 'tenuous', 'pledge', 'effervescence', 'gentle', 'cheryl', 'flack', 'mustard', 'warned', 'agency', 'numeral', "daughter's", 'eva', 'crab', 'notices', 'chow', 'scornful', 'surprised/thrilled', 'brusque', 'stay-puft', "'er", 'bake', 'personal', 'cecil', 'buds', 'california', 'captain:', 'bothered', 'eternity', 'principles', 'heartless', 'scores', 'dishrag', 'taught', 'kidneys', 'kisser', 'protestantism', "tomorrow's", 'encouraging', 'jazz', 'mouths', 'malted', 'religious', 'acceptance', 'wobble', 'shout', 'heals', 'country-fried', 'repeated', "sat's", 'influence', 'whaaaa', 'slop', 'raggie', 'agents', 'rekindle', 'espousing', 'hearing', 'quarterback', 'sales', "mcstagger's", 'streetlights', 'press', 'creature', 'compadre', 'test-', 'occurred', 'haplessly', 'legally', 'homunculus', 'sixty', 'various', 'ninety-nine', 'wienerschnitzel', 'wigs', 'digging', '35', 'gabriel:', 'lis', 'stalwart', 'ruint', 'sucks', 'stagehand:', 'mathis', 'brunch', 'cases', 'whoa-ho', 'trainers', 'heck', 'serum', 'venom', 'sampler', 'stamps', 'clams', 'warranty', 'radiation', 'it:', 'email', 'rings', 'arguing', 'womb', 'wish-meat', 'gulps', 'jeff_gordon:', 'specific', 'poin-dexterous', "i'd'a", 'novel', 'sam:', 'maher', 'remain', 'cousin', 'cheesecake', 'choices:', 'banquet', 'massage', 'boozer', 'dealt', 'carlotta:', 'texan', 'horror', 'gimmick', 'man_at_bar:', 'watashi', 'broncos', 'demand', 'investment', 'strawberry', 'poplar', 'chair', 'grandkids', 'rafters', 'jasper_beardly:', 'squabbled', 'fica', 'doy', 'lady-free', 'absentminded', 'ungrateful', 'guzzles', 'reflected', 'hushed', 'chairman', 'swimming', 'resist', 'science', 'doctor', "stabbin'", 'eye-gouger', 'stocking', 'harvey', 'arise', 'ratio', 'rhode', 'allow', 'freaking', 'spine', 'warmth', 'patrons:', 'courteous', 'lungs', 'george', 'studied', "mother's", "she'd", 'strips', 'squadron', 'cause', 'blissful', 'crushed', "soundin'", 'robbers', 'female_inspector:', 'blocked', 'full-blooded', 'shyly', 'moe_recording:', "g'night", "s'cuse", 'rickles', 'bleak', 'fortensky', 'seductive', 'ling', 'strategizing', 'awake', 'slick', 'beer:', 'ninth', "football's", 'leprechaun', 'fustigation', "ya'", 'babar', 'updated', 'noggin', 'ding-a-ding-ding-ding-ding-ding-ding', 'renovations', 'woe:', 'badly', 'unusual', 'iran', 'tanking', 'theatrical', 'killing', 'billingsley', 'closet', 'slurps', 'blooded', 'citizens', 'lifestyle', 'schabadoo', "donatin'", 'continuum', 'diaper', 'referee', 'combination', 'meteor', 'brandy', 'wham', 'wild', 'sacajawea', "fendin'", 'land', 'terrorizing', 'administration', 'sang', 'ghouls', 'gel', 'motor', 'frankenstein', 'chuckling', 'basement', 'obama', 'jay:', 'furniture', 'ointment', 'lurks', 'maximum', 'toy', 'spectacular', 'h', 'splendid', 'jogging', 'coincidentally', 'billiard', 'quadruple-sec', 'friction', 'eddie', "wallet's", 'helpful', 'diminish', 'edner', 'adrift', 'killjoy', 'peabody', 'calendars', 'affectations', 'ralphie', 'legal', 'portentous', 'temp', 'verticality', 'tree_hoper:', 'ron', 'plotz', 'moolah-stealing', 'kay', 'glamour', 'cocks', 'breaks', 'puffy', 'mimes', 'squashing', 'eww', '2nd_voice_on_transmitter:', 'quarter', 'smuggled', 'lifts', 'blossoming', "how're", "'ceptin'", 'brain-switching', 'storms', 'tigers', 'psst', "duelin'", 'allegiance', 'pee', 'jukebox_record:', 'comment', 'occupation', 'ehhhhhhhh', 'dropping', 'tuna', 'movement', 'donation', 'instrument', 'minus', 'in-in-in', 'stirrers', 'exited', 'intruding', 'customers-slash-only', 'vanities', 'pushes', 'punkin', 'spitting', 'uninhibited', 'little_hibbert_girl:', 'yak', 'territorial', 'flophouse', 'glorious', 'brother-in-law', "tv'll", 'winning', 'expecting', 'dull', "when's", 'windowshade', 'conspiracy', "grandmother's", 'dignity', 'kennedy', 'stupidest', "pressure's", 'causes', 'domed', 'ore', 'sat-is-fac-tion', 'forty-two', 'halfway', 'abcs', 'cheerleaders:', 'annual', 'shoe', 'slaps', 'wantcha', 'gordon', 'chapter', 'limited', 'ireland', 'barbara', 'piling', 'app', 'patron_#1:', 'blowfish', 'host', 'arimasen', 'saga', 'jane', 'aerospace', 'st', 'caveman', 'aunt', 'priority', 'pantsless', 'sneeze', 'noose', 'meatpies', 'nauseous', 'sister-in-law', 'wussy', 'thirty-three', 'concentrate', 'lodge', 'meanwhile', 'looting', 'splattered', 'creme', 'wakede', 'space-time', 'poetry', 'intimacy', 'yoink', 'helpless', 'sharity', 'spellbinding', 'strolled', 'employees', 'eco-fraud', 'race', "rentin'", 'pushing', 'peaked', 'quitcher', 'reed', 'rat-like', 'shaky', 'combines', 'in-ground', 'sideshow_mel:', 'groveling', 'goldarnit', 'plucked', '14', 'giant', 'metal', 'perverse', 'overhearing', 'anxious', 'bidet', 'composite', 'rush', 'bliss', 'elite', 'mid-conversation', 'tow', 'luckiest', 'reward', 'recipe', 'fresco', 'dumbest', 'ralph', 'mulder', 'newly-published', "table's", 'add', 'dumb-asses', 'refinanced', 'insulin', 'busiest', 'scum-sucking', 'pigtown', 'richard:', 'sets', 'perking', 'apply', 'nahasapeemapetilon', 'fountain', 'pair', 'sheets', 'reaction', 'supports', 'data', 'yells', 'presidential', 'profiling', 'inserted', 'beaumarchais', 'derek', 'alma', 'sideshow', 'badmouths', 'oils', 'mock-up', 'huddle', 'balloon', 'gesture', 'paramedic:', 'six-barrel', 'tones', 'rubbed', 'universe', 'my-y-y-y-y-y', 'whoo', 'aghast', 'tease', 'sees/', 'horrors', 'retain', 'fink', 'los', 'solves', 'ate', 'tobacky', 'compromise:', 'orifice', 'planned', 'ahem', "round's", 'fireworks', 'pinchpenny', 'bluff', 'one-hour', '50-60', 'astrid', 'destroyed', 'separator', 'recreate', 'hangover', 'fastest', 'churchy', 'humiliation', 'shtick', 'fontaine', 'charlie:', 'mitts', 'pepto-bismol', 'gimmicks', "tonight's", 'preparation', 'kinds', 'vestigial', 'burglary', 'sustain', 'sweden', 'hat', 'prettiest', 'liquor', 'count', 'passes', 'declare', 'runs', 'selective', 'beings', 'habit', 'blurbs', "aren'tcha", 'menlo', 'renew', 'screws', 'knowingly', 'racially-diverse', 'harmony', 'crimes', "tony's", 'fuzzlepitch', 'bloodball', 'lemonade', 'depository', 'buzz', 'massachusetts', 'con', 'laid', 'einstein', 'alva', 'tv-station_announcer:', 'stickers', 'theme', 'shred', 'traitor', 'we-we-we', 'joy', 'insured', 'hyahh', 'fad', 'fast-paced', 'fell', 'pre-recorded', 'stiffening', 'clench', 'enveloped', 'crinkly', 'pretzels', "soakin's", 'publishers', 'stingy', 'cronies', 'cloudy', 'sturdy', 'drop-off', 'superpower', 'bill_james:', 'figure', 'slurred', 'treehouse', 'snail', 'dumbbell', 'moon', 'something:', 'victim', 'mostrar', 'necessary', "time's", 'prayers', 'brunswick', 'homer_', 'species', 'mmmmm', 'build', 'sunglasses', 'blank', 'counterfeit', 'hearts', 'nailed', 'furiously', 'congratulations', 'clothespins', 'slender', 'heh-heh', 'feisty', 'pro', 'resolution', 'larry', 'station', 'lily-pond', 'john', "spyin'", 'shag', 'wreck', 'interrupting', 'almond', 'contractors', 'libido', 'kenny', 'fifth', 'states', 'mcclure', 'hmmmm', 'background', 'romance', 'sickened', 'recent', 'sing-song', 'bubbles-in-my-nose-y', 'hate-hugs', 'characteristic', 'mis-statement', 'perch', 'laney', 'tokens', 'candles', "kearney's_dad:", 'fit', 'yee-ha', 'coy', 'jerk-ass', 'anyhow', 'quimbys:', 'oblivious', 'miss_lois_pennycandy:', 'unfamiliar', "somethin':", 'twenty-four', 'undies', 'bras', 'correction', 'forecast', 'capuchin', 'two-drink', "coffee'll", 'inches', 'indicates', 'pronounce', 'hooked', 'lone', 'suburban', 'dies', 'sobo', 'sympathy', 'cauliflower', 'saucy', 'office', 'considers', 'hollowed-out', 'terminated', 'insist', 'completely', 'planted', 'besides', 'beyond', "g'on", 'guiltily', 'index', 'bury', 'augustus', 'synthesize', 'expired', 'explanation', 'deny', 'argue', 'ticks', 'railroads', 'wittgenstein', 'muhammad', 'possessions', 'leno', 'hero-phobia', 'naegle', 'fbi_agent:', 'kucinich', 'considering:', 'undated', 'specializes', 'landlord', "idea's", 'gus', 'inserts', 'immiggants', 'inanely', "man'd", 'cakes', 'dory', 'bumblebee_man:', 'glee', 'sounded', 'julep', 'audience', 'richer', 'good-looking', 'inexorable', 'happily:', 'issuing', 'guilt', 'getaway', 'mither', 'abolish', 'funniest', 'williams', 'slaves', 'pennies', 'certified', 'mushy', 'craft', 'federal', 'determined', 'tracks', 'handling', 'specialists', 'monday', 'common', 'leaving', 'tablecloth', "blowin'", 'togetherness', 'wrapped', 'royal', 'delightfully', 'extended', 'misconstrue', 'monorails', "raggin'", 'angrily', 'killer', 'pridesters:', 'accidents', "clancy's", 'chub', 'nibble', 'grrrreetings', 'padres', "swishifyin'", 'pre-game', 'massive', 'pregnancy', 'improved', 'nash', 'located', 'saget', 'be-stainèd', 'judgments', 'boxcars', 'urge', 'title', 'nervously', 'irrelevant', 'thirty-nine', 'coyly', 'world-class', 'tapered', 'tha', 'odor', 'rent', 'sued', 'habitrail', 'meaningless', 'dictating', "homer'll", 'eats', 'simon', 'melodramatic', 'sassy', 'mabel', 'connection', 'cheerier', 'mocking', 'you-need-man', 'ventriloquism', 'e-z', 'syndicate', 'demo', 'mines', 'crapmore', 'yellow-belly', 'conversion', 'buddies', 'maitre', 'swimmers', 'progress', 'tomahto', 'envy-tations', 'repay', 'jubilation', 'forgets', 'reactions', 'hilton', 'attach', "cupid's", "nick's", 'nature', 'benjamin:', 'humanity', "nixon's", 'strain', 'show-off', 'singer', 'nectar', 'measure', 'panties', 'stink', 'united', 'ignorance', 'hygienically', 'gees', 'fast-food', 'kitchen', 'birthplace', 'impress', 'hibachi', 'disguised', "high-falutin'", 'acronyms', 'examines', 'falling', 'foodie', 'smiled', 'ideas', 'sail', 'peeping', 'ali', 'wage', 'frightened', 'eighteen', 'zinged', "sippin'", 'apart', 'cannoli', 'begging', 'charter', 'certificate', 'kills', 'replaced', 'whaddya', 'je', 'adult', 'othello', 'information', 'hillbillies', 'arrested:', 'winded', 'bunion', 'enter', 'bugs', 'boisterous', 'cleveland', 'veteran', 'hems', "ball's", 'grieving', 'director:', 'dexterous', 'stripe', 'shrieks', 'reunion', 'op', 'sanitation', 'ashtray', 'equal', 'thunder', 'natured', "plank's", 'talkers', 'comedies', 'lugs', 'pharmaceutical', 'er', 'decision', 'circus', 'tense', 'superdad', 'baloney', 'enlightened', 'poke', 'winks', 'aid', 'break-up', '91', 'idealistic', 'sieben-gruben', 'stretches', 'farewell', 'alternative', 'cavern', 'anderson', 'co-sign', 'ummmmmmmmm', "that'd", 'moe-lennium', 'arse', 'emphasis', 'haikus', 'easter', 'neighborhood', 'gheet', 'worldview', 'timbuk-tee', 'highball', 'name:', 'evasive', 'shorter', 'boston', 'alcoholism', "'s", 'caricature', 'upsetting', 'publish', 'fayed', 'derisive', 'dash', 'darn', 'polls', 'rife', 'ultimate', 'jacksons', 'jumping', 'barbed', 'tactful', 'stagey', 'miracle', 'prints', 'drinker', 'whatsit', 'unforgettable', 'declared', 'mix', 'treats', "hobo's", 'occupancy', 'hostages', 'mirror', 'louse', 'indeedy', 'portuguese', 'soothing', 'exquisite', 'hellhole', 'kinderhook', 'refreshingness', 'tyson/secretariat', 'rebuttal', "collector's", 'britannia', 'vincent', 'robin', 'tourist', 'putty', 'official', 'rafter', 'spare', 'oddest', 'awareness', 'kisses', 'libraries', 'poster', 'cobra', 'droning', 'brainheaded', 'crowned', 'aziz', 'len-ny', 'sideshow_bob:', "pickin'", 'gore', 'dreary', 'intoxicants', 'commit', 'behavior', 'diets', 'musical', 'simple', 'pretends', 'cesss', 'backgammon', 'halloween', 'guessing', 'hollye', 'breakfast', 'stripes', 'cattle', 'lay', 'lovejoy', 'wagering', 'tidy', 'spreads', 'swamp', 'walther', 'priceless', 'simpsons', 'unsanitary', 'eggshell', 'mexicans', 'verdict', 'soir', 'alec_baldwin:', 'thousands', 'community', 'material', 'milhouses', 'smelly', 'nail', 'mike_mills:', 'vermont', 'answered', 'lovelorn', 'frontrunner', 'earlier', 'jewish', 'radiator', 'contemplated', 'grenky', 'fonzie', 'mediterranean', 'selection', 'hardwood', "mecca's", 'ancestors', 'clubs', 'tee', 'clandestine', 'silence', 'johnny', "secret's", "man's_voice:", 'weight', 'assassination', 'pugilist', 'u2:', 'remodel', 'offa', 'oh-so-sophisticated', "hole'", 'gags', 'go-near-', 'impeach', 'selfish', 'dizzy', 'carey', "'roids", 'tin', 'korea', 'dingy', 'crayon', 'legs:', 'multi-national', 'menacing', 'whoever', "fine-lookin'", 'agent_miller:', 'shesh', 'scram', 'chill', 'consulting', "somethin's", 'man_with_crazy_beard:', 'offensive', 'cappuccino', 'example', "spaghetti-o's", 'captain', 'begin', 'hops', 'wholeheartedly', 'package', 'extinguishers', 'lofty', "kid's", 'beard', 'firing', 'reentering', 'democrats', 'reluctant', 'eager', 'enthusiasm', 'all-american', 'cans', 'skinheads', 'insecure', 'venture', 'super-genius', 'paste', 'scatter', 'desperately', 'detail', 'celebrate', 'startled', 'holy', 'grace', 'fishing', "ma's", 'sky', 'gabriel', 'groans', 'tender', 'lawyer', 'youth', 'sniper', 'forget-me-drinks', 'outs', 'law-abiding', 'curiosity', 'associate', 'wishful', 'crestfallen', 'safely', 'housing', 'permanent', 'pages', 'stomach', 'appreciate', 'knives', 'scratcher', 'rupert_murdoch:', 'hot-rod', 'teriyaki', 'thomas', 'não', 'rebuilt', 'lucinda', 'passports', 'hike', 'pack', 'disgracefully', 'sponge', 'orgasmville', 'sitcom', 'sue', 'boxcar', 'hah', "challengin'", 'process', "yieldin'", 'rip', 'appearance-altering', 'artist', 'geyser', 'hampstead-on-cecil-cecil', 'lear', 'gotcha', 'short_man:', 'advertise', 'golden', 'escort', 'attractive_woman_#2:', 'moving', 'statues', 'raging', 'kearney_zzyzwicz:', 'maude', 'rookie', 'lookalike:', 'strangles', 'ivy-covered', 'honeys', 'edgy', 'sickens', 'bookie', 'goblins', 'jackass', 'alter', 'toxins', 'cozies', "messin'", 'anthony_kiedis:', 'supply', 'liable', 'tremendous', 'ons', 'prettied', 'knuckles', 'bulldozing', 'neighbors', 'quick-like', 'meals', 'fumigated', 'dea-d-d-dead', 'items', 'worthless', 'proposition', 'thing:', 'understood:', 'proves', 'vehicle', 'ripped', 'swatch', 'sugar-free', 'abe', 'loboto-moth', 'limericks', 'stars', 'quarry', "santa's", 'cricket', 'male_singers:', 'spite', 'life-threatening', 'dint', 'amiable', 'pilsner-pusher', 'mugs', "'evening", 'pews', 'squishee', '$42', 'schorr', 'imitating', 'janette', 'idioms', 'cigars', 'reopen', 'dentist', 'proof', 'democracy', 'sheriff', 'sending', 'frink-y', 'barney-guarding', 'cutest', 'automobiles', 'play/', 'breathless', 'moe-clone', 'sticking', 'mobile', 'musketeers', 'muscle', 'uglier', 'flexible', 'waste', 'noble', 'photographer', 'gloop', 'cure', 'ignoring', 'landfill', 'lainie:', 'disappear', 'fires', 'blur', 'rockers', 'make:', 'broken', 'languages', "liftin'", 'leftover', 'button-pusher', 'loathe', 'non-american', 'spoon', 'blinded', 'mission', 'viva', 'butter', 'regretful', 'intelligent', 'runaway', 'devils:', 'earth', 'ditched', 'fail', 'lotsa', 'swings', 'backbone', 'beady', 'privacy', 'gumbo', 'onassis', 'mccall', 'aims', 'grin', 'smoker', 'klown', 'ballot', 'kako:', 'anyhoo', 'dime', 'estranged', 'starters', 'conditioning', 'legend', 'carnival', 'jig', 'collateral', 'transfer', 'panicked', 'conditioners', 'chain', 'luv', 'nagurski', 'eliminate', 'statistician', 'appreciated', 'thrilled', 'temple', 'wally', 'newsies', 'dean', 'cupid', 'bedridden', 'cushions', 'meaningfully', 'allowance', 'ura', "stealin'", 'lobster', 'sesame', 'releases', 'errrrrrr', 'diddilies', 'month', 'x-men', 'nightmares', 'salvador', 'exploiter', 'newsletter', 'kl5-4796', 'faint', 'optimistic', 'canyoner-oooo', 'intervention', "duff's", 'philip', 'frogs', 'flush-town', 'intriguing', 'cologne', 'endorsed', 'tasimeter', 'justify', 'chastity', 'emotion', 'woodchucks', 'throats', 'bauer', 'nerd', 'restless', 'phasing', 'squeeze', 'recruiter', 'knuckle-dragging', 'mailbox', 'flashing', 'infestation', 'atari', 'stacey', "renovatin'", 'napkins', 'griffith', 'additional-seating-capacity', 'settlement', 'crippling', 'thanking', 'wraps', 'innocuous', 'phase', 'neon', 'logos', 'annoying', 'edelbrock', 'meaning', 'navy', 'ceremony', 'backward', 'issues', 'badmouth', 'choice:', 'lance', 'lincoln', 'sap', "now's", 'drollery', 'ails', 'dipping', 'remorseful', 'average', 'launch', 'cruise', 'lovers', 'rude', 'notice', 'bleeding', 'producers', 'ballclub', 'maxed', 'oblongata', 'ingrates', 'infiltrate', 'cell', 'potatoes', 'fat_in_the_hat:', 'what-for', 'score', 'grains', 'shaker', 'cockroach', 'enjoys', 'shoulders', 'simplest', 'afterglow', "jackpot's", 'femininity', 'bloodiest', "smackin'", 'continued', 'dumbass', 'guinea', 'chateau', 'nightmare', 'consoling', 'lorre', 'dum-dum', 'helps', 'boxers', 'ambrose', 'lee', 'pure', 'leonard', 'forty-five', 'icelandic', 'bannister', 'permitting', 'pall', 'murdered', 'whistling', 'newest', 'perplexed', 'self-centered', 'leathery', 'crystal', 'boozebag', 'toledo', "tv's", 'incapable', 'taunting', 'buzziness', 'kirk', 'mole', 'frankie', 'furry', 'rewound', 'white_rabbit:', 'nemo', 'parenting', 'dozen', 'difference', 'macgregor', 'published', 'ahhhh', 'urban', 'solved', 'fluoroscope', "listenin'", 'wore', 'sixteen', 'society_matron:', 'shells', 'noosey', 'drift', 'xx', 'lady_duff:', 'nick', "'pu", 'focused', 'aah', 'orders', 'jobless', 'test-lady', 'snackie', 'mccarthy', 'avec', 'shelf', 'cell-ee', 'betrayed', 'suits', 'pine', 'statue', 'crowbar', 'refill', 'weekend', "can'tcha", 'jaegermeister', 'arts', 'luckily', 'increased', 'chicken', 'slim', 'oughta', "brady's", 'shores', 'nameless', 'socratic', 'tooth', 'fatso', 'taste', "tree's", 'teacup', 'soaps', 'nasty', 'colossal', 'steaming', 'offshoot', 'cerebral', 'accounta', 'stores', 'boyhood', 'gruesome', 'champs', 'stretch', 'bottoms', 'urinal', 'legoland', 'madman', 'drapes', 'squirrel', 'hunger', 'truck_driver:', "battin'", 'society', 'slogan', 'wipes', 'misfire', 'inclination', 'hub', 'thirty-five', 'otherwise', 'stu', 'pile', "america's", 'clips', 'stats', "fishin'", 'fortress', 'wok', 'reluctantly', 'firm', 'y', 'microbrew', 'a-lug', 'hare-brained', 'and-and', 'incognito', 'picked', 'stairs', 'macho', 'admirer', 'clammy', 'yuh-huh', "boy's", 'freshened', 'widow', 'floating', 'accelerating', 'las', 'bar:', 'walked', "s'pose", 'jeter', 'groan', 'sour', 'confidentially', 'right-handed', 'cyrano', 'adopted', 'charges', 'phlegm', 'watched', 'fire_inspector:', 'washed', 'childless', 'sagacity', 'disturbance', 'farthest', 'disappointing', 'stones', 'gangrene', 'geysir', 'grope', "wearin'", 'handwriting', 'earpiece', 'nor', 'polishing', 'municipal', 'creepy', 'brings', 'tiger', 'scrubbing', 'sponsor', 'majesty', 'twerpy', 'exchanged', 'canoodling', 'cross-country', 'beanbag', 'illegally', 'practice', 'darjeeling', 'rubs', 'rumor', 'clearing', 'ref', 'celeste', 'strongly', 'disillusioned', 'creates', 'swooning', "friend's", 'puke-holes', 'dashes', 'phrase', 'predecessor', 'releasing', 'touches', 'chipper', 'sacrifice', 'vin', 'disposal', 'sponge:', 'homesick', 'wise', 'shindig', 'briefly', 'sleeping', 'audience:', 'mexican', "narratin'", 'trustworthy', 'ab', 'forty-seven', 'youngsters', 'expose', 'fence', 'fustigate', 'pretend', 'ing', 'encore', "breakin'", 'outrageous', 'washouts', 'title:', 'adjourned', 'macbeth', 'tuborg', 'chew', 'fry', 'barber', 'winner', 'dimly', 'forty-nine', 'presentable', 'playhouse', 'so-ng', 'ears', 'vulgar', 'result', 'dna', 'sugar-me-do', 'wars', "larry's", 'omit', "askin'", 'africanized', 'streetcorner', 'mild', "choosin'", 'oak', 'schmoe', 'subscriptions', 'attraction', 'presents', 'highest', 'done:', 'stained-glass', 'enthused', 'sanctuary', 'dilemma', 'nfl_narrator:', 'fatty', 'finance', 'fletcherism', 'chapel', 'avalanche', 'dinks', 'football', 'chauffeur:', 'hers', 'propose', "speakin'", "squeezin'", 'exception:', "cheerin'", 'alarm', 'forgiven', 'lumpa', 'authenticity', 'flailing', 'espn', 'bites', 'shard', 'five-fifteen', 'this:', 'monroe', "number's", 'handed', 'anonymous', 'pizza', 'dizer', 'hooray', 'cheated', 'doll-baby', 'fury', 'healthier', 'edge', 'groin', "playin'", 'kodos:', 'tied', 'appropriate', "o'", 'dollface', 'flashbacks', 'boxer:', "drexel's", 'wheeeee', 'penmanship', 'patented', 'eyeballs', 'chained', 'zeal', 'ehhhhhhhhh', 'fiiiiile', 'exultant', 'moe-ron', 'gear-head', 'bouquet', 'other_player:', 'scoffs', 'ads', 'scruffy_blogger:', 'thawing', 'giggle', 'owns', 'indifference', 'whirlybird', 'finish', 'sincerely', 'halvsies', 'telemarketing', 'whale', 'swishkabobs', 'sticker', 'showed', 'hearse', 'assert', 'shareholder', 'faces', "should've", 'wazoo', 'detective', 'mater', 'script', 'congoleum', 'brainiac', 'chauffeur', 'cheapskates', 'remembers', 'th', "summer's", 'michael', 'blamed', 'disgraceful', 'blind', 'dealie', 'adjust', 'swell', 'flash-fry', 'perón', 'nantucket', 'bounced', 'vengeance', 'crisis', "stayin'", 'activity', 'bathtub', "burnin'", "dimwit's", 'albeit', 'lushmore', 'whispered', 'urine', 'christian', 'polish', 'raining', 'charming', 'tearfully', 'upgrade', 'clapping', 'cooker', 'quimby', 'haws', 'mahatma', 'pip', 'though:', 'kissed', 'student', 'paints', 'lifetime', "feelin's", 'often', 'prompting', 'girl-bart', 'wolfcastle', 'wikipedia', 'suspended', 'santeria', 'online', 'sucker', 'ehhhhhh', 'coms', 'doom', 'delts', 'thrust', 'plug', 'typing', 'diablo', 'super-tough', 'faded', 'marshmallow', 'gibson', 'entrance', 'terror', 'aquafresh', 'ivory', 'rolls', 'latour', 'beef', 'friend:', 'model', 'wounds', '_marvin_monroe:', 'bragging', 'ton', "professor's", 'sensible', 'eaters', "bettin'", 'facebook', 'thousand-year', 'thirty-thousand', 'lead', 'three-man', '3rd_voice:', 'tomato', 'stab', 'zone', 'inning', 'mill', 'medieval', 'necklace', 'ignorant', 'growing', "s'okay", 'hurting', 'newsweek', 'bupkus', 'rug', 'heroism', 'paper', 'loyal', 'iranian', 'heavens', 'choices', 'sperm', "games'd", 'listened', 'chunk', 'inquiries', 'stolen', 'jewelry', '4x4', 'bedtime', 'daaaaad', 'burger', 'easily', 'payday', 'carmichael', 'bon', 'hook', 'head-gunk', 'minors', 'fills', 'bronco', 'suspiciously', 'enterprising', 'apulina', 'beverage', 'trapping', 'elizabeth', 'officer', 'bull', 'trail', 'kansas', 'unusually', 'officials', "y'see", 'duke', 'deeper', 'burnside', 'bagged', 'unbelievable', 'frenchman', 'erasers', 'incredible', 'application', 'annus', 'tomatoes', 'booze-bags', 'manatee', 'hydrant', "'kay-zugg'", 'alien', 'rationalizing', 'hemorrhage-amundo', 'smiles', 'beached', 'bulked', 'poulet', "ragin'", 'innocence', 'barkeeps', 'dammit', 'oww', 'obsessive-compulsive', 'gayer', 'nelson', 'flourish', 'cleaning', 'shaved', 'watt', 'rig', '7g', 'monkeyshines', 'waterfront', 'felony', 'environment', 'travel', "rasputin's", 'guff', '3', "son's", 'spit-backs', 'rapidly', 'advertising', 'outlive', 'swine', 'sells', 'turlet', 'gutenberg', 'occasion', 'voicemail', 'relaxed', 'mind-numbing', 'deli', 'sweat', 'wrap', 'jay_leno:', 'pep', 'other_book_club_member:', 'shack', 'offense', 'missing', "thinkin'", 'speed', 'countryman', 'typed', 'witches', 'western', 'bindle', 'marry', 'hourly', 'insults', 'ronstadt', 'noooooooooo', 'murdoch', 'de-scramble', 'wolverines', 'kazoo', 'slab', 'rainier', 'transylvania', "poisonin'", 'susie-q', 'four-drink', 'crayola', 'wistful', 'ease', 'caholic', 'gr-aargh', 'wobbly', 'pancakes', 'england', 'half-back', 'kicks', 'donuts', 'yourse', 'delightful', 'eighty-six', 'swe-ee-ee-ee-eet', 'mostly', 'badge', 'dazed', 'elaborate', 'twentieth', 'sequel', 'bell', 'infatuation', 'bumpy-like', "something's", 'getup', 'ho-ly', 'prince', 'telegraph', 'eve', 'jelly', 'understood', "'round", 'de', 'entertainer', 'shill', 'way:', 'ripping', 'souped', "d'", 'kick-ass', 'fiction', 'maiden', 'perfected', 'stepped', 'cuff', 'stupidly', "tap-pullin'", 'yammering', 'dice', 'and/or', "cuckold's", 'nachos', 'handler', 'microphone', 'washer', 'sunk', 'americans', 'son-of-a', 'pink', 'radioactive', 'dracula', 'spender', 'recap:', 'invisible', 'mt', 'hooters', 'twenty-six', 'koji', 'blob', 'youuu', 'arrange', 'cuz', 'hardhat', 'playoff', 'rueful', 'killarney', 'shoes', "eatin'", 'anti-lock', 'novelty', 'skills', 'jernt', 'slobbo', 'pasta', "fans'll", 'researching', 'alls', 'chapstick', 'gardens', 'ninety-eight', 'solely', 'trivia', 'refreshment', 'handoff', 'anti-crime', 'feat', 'deliberately', "poundin'", 'bottomless', 'exclusive:', 'remaining', 'cruiser', 'mortal', 'moustache', 'corn', 'confidential', 'twelve-step', 'engine', 'cheering', "wouldn't-a", 'dig', 'string', 'fake', 'drains', 'snitch', 'manipulation', 'managed', 'harvard', 'papa', 'hyper-credits', 'oooo', 'wrecking', 'carefully', 'binoculars', 'fuhgetaboutit', 'gallon', 'bobo', 'dateline', 'merchants', 'winces', 'choose', 'twenty-nine', 'vicious', 'stewart', 'coughs', 'taylor', 'midge:', 'breakdown', 'brine', 'abusive', 'windelle', 'predictable', 'souvenir', 'disappointment', 'limits', 'hundreds', 'fleabag', 'contented', 'luxury', "neat's-foot", 'regretted', 'astonishment', 'endorsement', 'haircuts', 'shame', "aristotle's", 'tolerance', 'designer', "costume's", 'delays', 'alibi', 'aged', 'valley', 'swig', 'scent', 'sexton', 'fired', 'aggie', 'grinch', 'hootie', 'drove', 'greatly', 'cajun', 'stored', 'knit', 'wound', 'tasty', 'sharing', 'dana_scully:', 'up-bup-bup', "must've", 'wenceslas', 'followed', 'jay', 'mini-beret', 'asses', 'benjamin', 'murderously', 'lighten', 'proper', 'aggravazes', 'meditative', 'depression', 'skunk', 'fixes', 'socialize', 'intoxicated', 'packets', 'prejudice', 'sketch', 'elect', 'prizefighters', 'lindsay', 'modest', 'indecipherable', 'low-life', 'blokes', 'plain', 'faced', 'rash', 'hustle', 'load', 'signed', 'addiction', 'coined', 'disdainful', "g'ahead", 'blackjack', 'mint', "fryer's", 'softer', 'depressed', 'casting', 'shhh', 'sheet', 'julienne', "treatin'", 'design', 'unhappy', 'usual', 'blade', 'wowww', "tatum'll", 'someplace', 'senators:', 'bursts', 'hiring', 'nelson_muntz:', 'longest', 'schemes', 'recorded', 'composer', 'surgeonnn', 'singing/pushing', 'fledgling', 'contemporary', "shootin'", 'lenses', 'a-b-', 'savagely', 'indifferent', 'ducked', 'jovial', 're-al', "who'da", 'unfair', 'everywhere', 'booking', 'perverted', 'extreme', 'strokkur', 'when-i-get-a-hold-of-you', 'pointy', "d'ya", "lovers'", 'jer', 'scanning', 'cab', 'improv', 'dumpster', 'depressant', 'nevada', 'annie', 'punishment', 'led', 'shopping', 'buffet', 'indigenous', 'four-star', 'ping-pong', 'device', 'moon-bounce', 'displeased', 'supervising', 'cadillac', 'occurs', 'cursed', 'whining', 'stalin', 'e', 'roz', '/mr', 'goodwill', 'gunk', 'düff', 'swallowed', 'heaving', 'scornfully', 'enhance', 'catty', 'bones', 'weather', "cont'd:", 'stood', 'tubman', 'lowest', 'eyed', 'please/', 'intakes', 'michelin', 'chili', 'drummer', 'ironic', "tootin'", 'committing', 'whispers', 'poured', 'pas', 'lighter', 'convinced', 'sympathizer', 'sternly', 'wealthy', 'sentimonies', 'puzzle', 'flat', 'wizard', 'presently', 'donor', 'wolveriskey', 'ding-a-ding-ding-a-ding-ding', 'west', 'unjustly', 'cuddling', 'normals', 'depending', 'mistresses', 'reading:', 'clincher', 'waist', 'pictured', "wino's", 'tow-talitarian', 'charged', 'distinct', 'coin', 'undermine', 'doooown', 'ingested', 'jacks', 'culkin', 'intention', 'gluten', 'knowledge', 'gift:', 'herself', 'frat', 'occurrence', 'gol-dangit', 'side:', 'rugged', 'accepting', 'kool', 'magnanimous', "'cept", 'defiantly', 'liser', 'cracked', 'signal', 'tragedy', 'wood', 'chic', 'bushes', "snappin'", 'sniffing', 'diving', 'declan', 'loneliness', 'trucks', 'capitalists', 'brockelstein', 'beaumont', 'feminist', "coaster's", 'dawning', 'kentucky', 'snide', 'filed', 'warning', 'pillows', 'eminence', "school's", 'gulliver_dark:', 'site', 'indeed', 'evergreen', 'open-casket', 'bumped', 'lobster-politans', 'pernt', 'earrings', 'decide:', 'blobbo', 'attached', 'bachelor', 'protesters', 'gunter', 'bleacher', 'pickles', 'crooks', 'compressions', 'emporium', "stallin'", 'suspenders', 'heart-broken', 'louisiana', 'liability', 'life-extension', 'frozen', 'applesauce', 'talkative', 'grandé', 'kickoff', 'lend', 'fl', 'meyerhof', 'squeal', 'strictly', 'funeral', 'poison', 'placed', 'flanders:', 'swan', 'tabs', "'now", 'politician', 'grammy', 'hexa-', 'aer', 'ought', 'manfred', 'kings', 'language', "this'll", 'ze-ro', 'donate', "calf's", 'tapestry', 'disguise', 'michael_stipe:', 'asks', 'sleigh-horses', 'steely-eyed', 'tummies', 'poorer', 'shreda', 'praise', 'unhook', "jimbo's_dad:", 'finale', 'links', 'produce', 'view', 'affects', 'exciting', 'yew', 'lease', 'banned', 'civil', 'champion', 'attractive', 'waitress', 'hardy', 'bartholomé:', "tramp's", 'ga', 'modestly', 'bulletin', 'average-looking', 'mary', 'marvelous', 'relaxing', 'smelling', 'ideal', 'conclude', 'rub-a-dub', 'heatherton', 'ees', 'punching', 'portfolium', 'driveability', 'without:', 'attractive_woman_#1:', 'catch-phrase', 'purveyor', 'gestated', 'dealer', 'rascals', 'hosting', 'grain', 'surprising', 'lists', 'supplying', "singin'", 'celebration', 'specified', 'muscles', 'labor', 'country', 'elmer', 'achebe', 'homer_doubles:', 'sunny', 'vacations', 'soft', 'faulkner', 'steampunk', 'chubby', 'grub', 'tickets', 'fonda', 'voyager', 'heave-ho', 'fears', 'avenue', 'nurse', 'lenford', 'runners', 'nooo', 'cage', 'freaky', 'sinkhole', 'sanitary', 'dogs', 'onion', 'sweetie', 'hateful', 'sponsoring', 'lennyy', 'blimp', 'plastered', 'stamp', 'carolina', 'curse', 'newspaper', 'van', "lady's", 'puke-pail', 'pajamas', 'telephone', "disrobin'", 'comeback', 'read:', 'pre-columbian', 'anger', 'backing', 'methinks', 'fourteen:', 'confession', 'connor', 'robot', 'sickly', 'naval', 'getcha', 'heather', 'chipped', 'hooch', 'popping', 'kim_basinger:', '21', 'half-beer', 'lift', 'encores', 'larson', 'pontiff', 'hiding', 'runt', 'reckless', 'however', 'coal', 'para', "tab's", '8', 'broken:', 'saving', 'barter', 'flaking', 'pawed', 'ford', 'rainforest', 'mull', 'rods', 'county', 'take-back', 'moonnnnnnnn', 'holidays', 'caper', "queen's", 'cartoons', 'lobster-based', 'presided', 'failure', 'drunkening', 'j', 'owned', 'booger', 'log', 'chug-a-lug', 'takeaway', "leavin'", 'triangle', "scammin'", 'waters', 'feedbag', 'simultaneous', 'poisoning', 'virility', 'ineffective', 'disaster', 'inherent', 'wishing', 'settled', 'plants', 'mansions', 'tonic', 'eightball', 'die-hard', 'art', 'coupon', 'rainbows', 'forbids', 'lanes', 'applicant', 'compels', 'glitterati', 'affection', 'hidden', 'elves:', 'mural', 'hugh', 'lookalikes', 'jägermeister', 'error', 'unexplained', 'march', 'jigger', 'montrer', 'painted', 'carney', 'tar-paper', "mtv's", 'created', 'manboobs', 'skoal', 'buddha', 'glyco-load', 'tribute', 'soot', 'promotion', 'notorious', 'johnny_carson:', 'snotball', 'chorus:', "'n'", 'eaten', 'painless', 'crowds', 'pulitzer', 'bail', 'andrew', 'risqué', 'protecting', 'most:', 'east', 'awkwardly', 'befriend', 'mamma', 'part-time', 'nos', 'braun:', 'mayan', 'reality', 'martini', 'certainly', 'nonchalantly', 'reader', 'reserved', '-ry', 'occasional', 'presumir', 'thought_bubble_lenny:', 'wrestle', 'author', 'locklear', 'aboard', 'jerking', 'event', 'iddilies', 'defected', 'grants', 'marched', 'life-partner', 'assent', 'stengel', 'trashed', 'snatch', 'shades', 'starla:', 'sloppy', 'chosen', 'decadent', 'population', 'lizard', 'colorado', 'thorn', 'bowled', 'damage', 'court', 'rain', 'buyer', 'easy-going', 'moe-heads', 'unsafe', 'swigmore', '_burns_heads:', 'rip-off', 'overflowing', 'actor', 'alky', 'random', 'trunk', 'itchy', 'karaoke_machine:', 'freed', 'spews', 'schedule', 'irs', 'victorious', "depressin'", 'dreamy', 'imaginary', 'temper', 'pills', 'pusillanimous', 'aiden', 'ladder', 'unable', 'amused', 'handshake', 'polenta', 'pudgy', 'harm', 'bonfire', 'righ', 'drawn', 'catholic', "city's", 'clothespins:', "bringin'", 'non-losers', 'spiritual', 'peter_buck:', 'rom', 'breathalyzer', 'laughter', 'training', 'excavating', 'fat-free', 'seminar', 'boggs', "industry's", 'literary', 'full-bodied', 'ruuuule', 'actress', 'north', 'dirge-like', 'sneering', 'germans', 'fistiana', 'housework', 'enjoyed', 'majority', 'hooky', 'technical', "knockin'", 'troubles', 'competing', 'wind', 'knock-up', 'yelp', 'southern', "somebody's", 'enthusiastically', 'gunter:', "lefty's", 'relative', 'ehhh', 'sizes', 'flayvin', 'cheaped', 'tempting', 'tropical', 'unearth', 'politicians', 'unattractive', 'hairs', 'gut', 'column', 'acquitted', 'scout', 'beans', 'soul-crushing', 'fortune', 'rocks', 'moe-near-now', 'starlets', 'hispanic_crowd:', 'cap', 'hammer', 'vengeful', 'nascar', 'unlocked', 'düffenbraus', 'feld', 'engraved', 'conclusions', 'duff_announcer:', 'appendectomy', 'incarcerated', 'ecru', 'ugh', 'pepsi', 'mexican_duffman:', 'chuck', 'paintings', 'wheels', 'crow', 'wacky', 'platinum', 'mac-who', 'cherry', 'network', 'skins', 'adequate', 'muslim', 'sudoku', 'statesmanlike', "washin'", '2', 'attend', 'powers', "i-i'll", 'nursemaid', 'uses', 'seamstress', 'stinger', 'convenient', 'volunteer', 'rice', 'rabbits', 'twelveball', 'looooooooooooooooooong', 'cecil_terwilliger:', 'hockey-fight', 'fdic', 'night-crawlers', 'dumptruck', 'position', 'computer_voice_2:', 'believer', 'jokes', 'option', 'resigned', 'chip', 'savvy', "family's", 'equivalent', 'delivery_man:', 'figures', 'donut-shaped', 'sledge-hammer', 'philosophic', 'arrived', 'low-blow', 'schizophrenia', 'au', 'graveyard', 'taxi', 'car:', 'counter', 'partners', 'madonna', 'bid', 'executive', 'archaeologist', 'distract', 'ruby-studded', 'kemi', 'pursue', 'yello', 'calvin', 'examples', 'apron', 'cuckoo', 'scientific', 'unkempt', 'villanova', 'guts', 'generously', 'tornado', 'asleep', 'rivalry', 'cats', 'norway', 'musta', 'afloat', 'boned', 'wisconsin', 'woulda', 'sacrilicious', 'menace', 'players', 'sedaris', 'terrifying', 'beast', 'factor', "bo's", 'filth', 'awfully', 'bide', 'diapers', 'microwave', 'journey', 'repeating', 'businessman_#2:', 'beer-dorf', 'appeals', 'eight-year-old', 'fruit', 'th-th-th-the', 'theatah', 'over-pronouncing', "foolin'", 'alpha-crow', 'ruled', 'tsking', 'lifters', 'cletus_spuckler:', 'enabling', 'faiths', 'effect', 'older', 'occupied', 'grind', 'kidnaps', 'cushion', 'eyeing', 'clown-like', 'tall', 'malabar', 'reptile', 'fist', "plaster's", 'fund', 'reconsidering', 'writer:', 'burg', 'gamble', 'unfresh', 'divine', 'sistine', 'rented', 'sweater', 'dirty', 'bullet-proof', 'sumatran', 'picnic', 'silent', 'recorder', 'forgotten', 'buttocks', 'chinua', 'bonding', 'sen', 'cliff', 'scratching', 'steam', 'wednesday', 'eu', 'notch', 'desire', 'dregs', 'blows', 'initially', 'masks', 'squeezed', 'valuable', 'spamming', 'scientists', 'grammar', 'champignons', 'nonsense', 'imported-sounding', 'reaches', 'fantasy', 'homeless', 'mountain', 'rosey', "cashin'", 'expensive', 'richard', 'absorbent', 'italian', 'zoomed', 'dressing', 'whaaa', 'bon-bons', 'exact', 'ivanna', 'carb', 'malibu', 'persia', 'crunch', 'employment', 'gargoyles', 'classy', 'fighter', 'drawer', 'notably', 'jury', 'graves', 'committee', 'bellyaching', 'crony', 'unrelated', 'lager', 'evils', 'donated', 'grease', "life's", 'sidekick', 'refreshing', 'bills', 'hotenhoffer', 'illustrates', 'roach', 'f-l-a-n-r-d-s', 'cummerbund', "'your", 'brick', 'perfunctory', 'harvesting', 'stumble', 'mickey', "starla's", "elmo's", 'salvation', 'chips', "beggin'", 'sorts', 'parents', 'series', 'chunky', 'winch', 'beligerent', 'hoax', 'rasputin', 'temporarily', 'shush', 'grumbling', 'smitty:', 'exits', 'lachrymose', 'dreamily', 'idiots', 'jeers', 'lecture', 'anti-intellectualism', 'strains', 'refiero', "spiffin'", 'juke', 'flown', 'clap', "mo'", 'everyday', 'ugliness', 's-a-u-r-c-e', 'glitz', 'expense', 'gin-slingers', 'colonel:', 'nuked', 'hunka', 'physical', 'gregor', 'hemoglobin', 'tying', 'distaste', 'debonair', 'beards', 'supermarket', 'traitors', "bladder's", 'dignified', 'smokes', 'dateline:', 'mariah', 'wells', 'dramatically', '530', 'patriotic', 'sooo', 'swelling', 'rector', 'scrutinizing', 'mozzarella', 'nbc', 'protesting', 'reporter', 'generally', 'albert', 'pepper', 'slapped', 'infor', 'genuinely', 'cocking', 'tire', 'spits', 'roller', 'suffering', 'bust', 'supermodel', "floatin'", 'hears', 'support', "'", 'browns', 'shoulda', 'junebug', 'settles', 'happens', 'dads', 'heartily', 'cock', 'pizzicato', 'amber', "she'll", 'freely', 'muertos', 'sucking', "wait'll", 'coma', 'botanical', 'friday', 'pointedly', 'supreme', 'crowded', 'blaze', 'delicately', '10:15', 'tow-joes', 'capitol', "edna's", 'bad-mouth', 'here-here-here', 'drunkenly', "murphy's", 'parked', "cleanin'", 'veux', 'abercrombie', 'drives', 'riveting', 'november', "fun's", 'wiggle', 'goal', 'powered', 'uncreeped-out', 'flea:', 'jam', 'ribbon', 'xanders', 'divorced', 'brown', 'triple-sec', 'fantastic', 'shark', 'pinball', 'disturbing', 'pussycat', 'waking-up', 'beatings', 'oooh', 'thirsty', 'mags', 'hawaii', 'drinking:', 'milks', 'lard', 'hottest', 'eighty-three', 'insurance', "bart'd", 'fights', 'homeland', 'conversations', 'wondered', 'thoughtless', 'octa-', 'whoops', 'spooky', 'contact', 'ape-like', 'blubberino', "enjoyin'", 'installed', 'introduce', 'amends', 'criminal', 'coast', 'bridges', 'vampire', 'tapping', 'mmm-hmm', 'micronesian', 'visas', 'sticking-place', 'courthouse', 'watered', 'sneak', 'distance', 'nordiques', 'nap', 'peeved', 'spilled', 'dictator', 'aristotle:', 'pretentious_rat_lover:', 'manuel', '1973', 'slugger', "writin'", 'vigilante', 'tolerable', 'stage', 'betcha', 'all-all-all', 'winston', 'brace', "neighbor's", 'sketching', 'kegs', "pullin'", 'photos', 'damned', 'depressing', 'gentles', 'burt_reynolds:', 'stein-stengel-', 'whatchacallit', 'toms', 'hoagie', 'mid-seventies', 'beer-jerks', 'kneeling', 'sun', 'frescas', 'squad', 'pretzel', 'kirk_voice_milhouse:', 'harrowing', 'lookalike', 'ends', 'w-a-3-q-i-zed', '1-800-555-hugs', 'blessing', 'dejected', 'drag', 'remote', 'ninety-seven', 'repressed', 'utensils', 'single-mindedness', 'whim', 'symphonies', 'shortcomings', 'butterball', "car's", 'starve', 'sub-monkeys', 'rancid', 'uniforms', 'amnesia', 'belly-aching', 'mckinley', 'willing', 'amber_dempsey:', 'grudgingly', 'nitwit', 'decided', 'snapping', 'rump', 'edna-lover-one-seventy-two', 'spelling', 'compete', 'injury', 'ralph_wiggum:', 'dutch', 'pyramid', 'stan', 'dejected_barfly:', 'wudgy', 'competitive', 'ne', 'grateful', 'attracted', 'falsetto', 'impending', 'agh', 'peppers', 'lipo', 'tear', 'bowie', 'cosmetics', 'crappy', 'touch', '1979', 'contemptuous', "dog's", 'kissingher', 'sealed', 'heliotrope', 'helping', "o'reilly", 'astronauts', 'warren', 'sixty-five', 'shelbyville', 'pen', 'plums', 'batmobile', 'wiggle-frowns', 'skydiving', 'payback', 'choked-up', 'control', 'well-wisher', "'morning", 'spotting', 'teen', 'duffed', 'weep', 'hounds', 'fwooof', 'roy', 'cooking', 'exhale', "b-52's:", 'sight-unseen', 'straighten', 'premise', 'belts', "smokin'", 'worldly', 'cobbling', 'face-macer', "fightin'", "linin'", 'guard', 'hillary', 'partially', 'slipped', 'life:', 'owes', 'goo', 'life-sized', 'darkness', 'elocution', "puttin'", 'moonshine', 'k-zug', 'rem', 'hose', 'direction', "rustlin'", 'steinbrenner', 'term', 'negative', 'linda_ronstadt:', "heat's", 'sprawl', 'nominated', 'regulations', 'multi-purpose', 'post-suicide', 'manchego', 'suru', 'promise', 'daniel', 'showered', 'young_barfly:', 'glummy', 'theory', 'she-pu', 'oughtta', 'savings', 'windshield', 'exhibit', 'accusing', 'cranberry', 'howya', 'arm-pittish', 'shakes', 'small_boy:', "nothin's", 'piano', 'carny:', "'ere", 'voted', 'rome', 'scrutinizes', 'fools', 'presidents', 'militia', 'pronto', 'mindless', 'versus', 'full-time', 'squirrels', 'raking', 'voodoo', 'wh', 'slot', 'mellow', "tinklin'", 'easygoing', "hell's", 'unbelievably', 'options', 'seething', 'b-day', 'bum:', 'trenchant', 'marquee', 'wife-swapping', 'el', 'thnord', 'ihop', "i'unno", 'dyspeptic', 'flame', 'patron_#2:', 'hafta', 'trash', 'kadlubowski', 'wiping', 'unsourced', 'chug-monkeys', 'prices', 'mumble', 'transmission', "startin'", 'lessee', 'si-lent', 'trees', 'today/', 'brakes', 'jackson', 'whatchamacallit', 'unattended', 'taxes', 'assume', 'clenched', 'sobriety', 'junkyard', 'the_edge:', 'overstressed', 'quimby_#2:', 'prep', 'horribilis', 'ron_howard:', 'old-time', 'opens', 'experienced', 'arabs', 'wuss', 'incriminating', 'morning-after', 'total', 'cab_driver:', 'toe', 'dark', "changin'", 'ear', 'compare', 'coherent', 'zack', 'ferry', 'consciousness', 'fulla', 'jams', 'emergency', 'choke', 'corkscrews', 'orphan', 'bachelorhood', 'lewis', 'pumping', 'comforting', 'samples', 'passenger', 'faith', 'ratted', 'switched', 'hideous', 'assumed', 'squeals', 'popped', 'flustered', 'discriminate', 'flew', 'frazier', 'leak', 'whoopi', 'sangre', 'mirthless', 'scarf', 'problemo', 'itself', 'gasoline', 'hitchhike', "betsy'll", 'moesy', 'founded', 'locked', 'store-bought', 'sass', 'foundation', 'patting', 'onto', 'starla', 'cheaper', 'ho-la', 'hubub', 'outstanding', 'chinese_restaurateur:', 'interesting', 'renders', 'gil_gunderson:', 'aisle', 'poetics', 'horns', 'loudly', 'nonchalant', 'practically', 'william', 'videotaped', 'soaking', "president's", 'i/you', '70', 'unavailable', 'invulnerable', '50%', 'happiness', 'totalitarians', 'gossipy', "yesterday's", 'hammy', 'spouses', 'access', 'hammock', "getting'", 'faceful', 'sagely', "hawkin'", 'connor-politan', 'suave', "can't-believe-how-bald-he-is", 'reciting', 'approval', 'muffled', 'upn', "what'd", "c'mom", 'a-a-b-b-a', 'housewife', 'presto:', 'wieners', 'breathtaking', 'according', 'parrot', 'extract', "usin'", 'bachelorette', 'beefs', 'chumbawamba', 'tank', 'resenting', 'appalled', 'shuts', 'lou', 'limber', 'courts', 'stooges', 'sloe', 'cheered', "toot's", 'picky', 'carpet', 'credit', 'snotty', 'enforced', 'wildest', 'commanding', 'liven', 'provide', 'dishonor', 'fierce', 'motto', 'spirit', 'half-day', 'maintenance', 'mice', 'musses', 'birth', 'brotherhood', 'brief', 'guttural', 'absentmindedly', 'grocery', 'cup', 'prolonged', 'insensitive', 'grubby', 'clipped', 'hostile', 'flash', 'traditions', 'moonlight', 'haiti', 'stays', 'flush', 'thorough', 'marjorie', 'wildfever', 'stonewall', 'said:', 'tons', 'mistakes', 'delicate', 'mini-dumpsters', 'knocks', 'bits', 'pets', 'wears', 'instantly', 'adventure', 'thrown', 'family-owned', 'and:', 'absolut', 'glowers', 'crotch', 'temples', 'listens', 'voters', 'shifty', 'lingus', 'lied', 'shutup', 'horses', 'represents', 'mason', 'apology', 'bumbling', 'judges', "y'money's"]) sanitation dict_values(['||period||', '||return||', '||comma||', '||left_parentheses||', '||right_parentheses||', 'the', 'i', 'you', '||exclamation_mark||', 'moe_szyslak:', 'question_mark', 'a', 'homer_simpson:', 'to', 'and', 'of', 'my', 'it', 'that', 'in', '||quotation_mark||', 'me', 'is', 'this', "i'm", 'for', 'your', 'homer', 'on', 'hey', 'moe', 'oh', 'no', 'lenny_leonard:', 'what', 'with', 'yeah', 'all', 'just', 'like', 'but', 'barney_gumble:', 'so', 'be', 'here', 'carl_carlson:', "don't", 'have', 'up', "it's", 'well', 'out', 'do', 'was', 'got', 'get', 'are', 'we', 'uh', "that's", 'one', "you're", 'not', 'now', 'can', 'know', '||dash||', 'at', 'right', '/', 'how', 'if', 'back', 'marge_simpson:', 'about', 'from', 'he', 'go', 'gonna', 'they', 'there', 'beer', 'good', 'who', 'an', 'man', 'okay', 'little', 'his', 'as', 'some', "can't", 'then', 'never', 'think', "i'll", 'come', 'could', "i've", 'him', 'see', 'want', 'look', 'really', 'too', 'been', 'guys', 'when', 'make', 'why', 'ya', 'bar', 'her', 'did', 'say', 'time', 'or', 'marge', 'gotta', 'ah', 'take', 'into', 'down', 'love', 'more', 'our', 'off', 'am', 'guy', 'sure', 'two', 'barney', "there's", 'thing', 'would', 'lisa_simpson:', "we're", 'tell', 'big', 'need', 'let', 'had', 'where', "he's", 'money', 'over', 'us', 'something', "what's", 'bart_simpson:', 'sorry', 'drink', 'by', 'ever', 'only', 'day', 'way', 'will', 'wait', 'she', 'chief_wiggum:', 'even', 'give', 'new', "i'd", 'huh', 'god', "ain't", 'those', "didn't", 'great', 'people', "moe's", 'has', 'lenny', 'eh', 'phone', 'much', 'life', 'were', 'maybe', 'going', 'than', 'mean', 'place', 'mr', 'should', 'wanna', 'these', "you've", 'still', 'better', 'around', "'em", 'friend', 'help', 'home', 'old', 'noise', 'night', 'before', 'please', 'name', 'aw', 'seymour_skinner:', 'whoa', 'last', 'tv', 'boy', 'made', 'face', 'any', 'hello', "'cause", 'put', 'thanks', 'duff', 'drunk', 'three', 'call', 'listen', 'their', 'bad', 'car', 'looking', 'again', 'first', 'best', 'very', "let's", 'wow', 'yes', 'does', 'ooh', 'said', 'while', 'another', 'kent_brockman:', 'looks', 'every', 'them', 'wife', 'guess', 'apu_nahasapeemapetilon:', 'other', 'work', 'singing', 'play', 'years', 'tonight', 'feel', "won't", 'springfield', 'sweet', 'dad', 'dr', 'voice', "they're", 'sobs', 'everybody', 'after', 'thought', 'find', 'might', 'things', 'buy', 'kids', 'because', 'check', 'happy', 'head', 'beat', 'nice', 'keep', 'show', 'world', 'since', 'girl', 'shut', 'minute', 'friends', 'sighs', 'lisa', "who's", 'use', 'always', 'sings', 'bart', 'chuckle', 'carl', 'someone', 'kid', 'ow', "you'll", 'krusty_the_clown:', 'which', "isn't", 'c', 'stupid', 'anything', 'hundred', "here's", 'seen', 'laugh', 'remember', 'lot', 'talk', 'hell', 'laughs', 'thank', 'simpson', 'next', 'through', 'glass', 'chuckles', 'job', 'long', 'away', 'five', 'hope', 'woman', "nothin'", 'lost', 'believe', 'pretty', 'hear', 'happened', 'kind', 'outta', 'says', 'matter', 'house', "homer's", 'tavern', 'nervous', 'four', 'comes', 'book', 'wish', 'waylon_smithers:', 'family', 'real', "c'mon", '_montgomery_burns:', 'stop', 'once', 'ned_flanders:', 'turn', 'fat', 'game', "doin'", 'actually', 'wants', 'myself', 'grampa_simpson:', 'ask', 'business', 'wrong', "goin'", 'idea', "we've", 'done', 'getting', 'duffman:', "she's", 'everything', 'many', 'loud', 'party', 'used', 'nobody', 'burns', "comin'", 'problem', 'enough', 'today', 'must', 'town', "wouldn't", 'maggie', 'true', 'sounds', 'took', 'doing', 'um', 'woo', 'watch', 'sound', 'dollars', 'na', 'bucks', 'hold', 'gee', 'reading', 'thinking', 'nah', 'try', 'free', "where's", 'daughter', 'kemi:', 'canyonero', 'pants', 'being', 'baby', 'secret', 'excuse', 'under', 'kill', 'chief', 'leave', 'most', 'sell', 'everyone', 'makes', 'gimme', 'wanted', 'stuff', 'care', 'pay', 'beautiful', 'edna', 'yourself', 'pick', 'hurt', 'dinner', 'save', 'left', 'went', 'smithers', 'quickly', 'tough', 'mouth', 'pal', 'worry', 'sad', 'tipsy', 'points', "you'd", 'knew', 'own', 'dead', 'funny', 'till', 'win', 'gave', 'heard', 'hoo', 'break', 'quit', 'skinner', 'tomorrow', 'gets', 'hate', 'excited', 'fine', 'came', 'hi', 'dog', 'die', 'eyes', 'booze', 'feeling', 'camera', 'told', 'sign', 'school', 'ladies', 'drinking', 'saw', "aren't", 'hands', 'mad', 'gone', 'forget', 'gasp', 'easy', "couldn't", 'loser', 'kirk_van_houten:', 'jacques:', 'kinda', 'hand', 'artie_ziff:', 'mom', 'clean', 'twenty', 'eat', 'small', 'sir', 'nuts', 'bring', 'fire', 'alcohol', 'super', 'flaming', 'fight', 'surprised', 'noises', 'krusty', 'drive', 'seven', 'anyone', 'cash', 'calling', 'without', 'million', 'loves', 'room', 'date', 'barflies:', 'burn', 'read', 'anyway', 'low', 'door', "we'll", "lookin'", 'sadly', 'gentlemen', "talkin'", "y'know", 'course', 'six', "wasn't", 'chance', 'tape', 'coming', 'upset', 'trouble', "doesn't", "drinkin'", 'geez', 'cut', 'seymour', 'happen', 'bartender', 'called', "haven't", "somethin'", 'already', 'turns', 'behind', 'high', 'dear', 'each', 'professor_jonathan_frink:', 'problems', 'meet', 'blame', 'start', 'sing', 'change', 'realizing', 'uh-oh', 'steal', 'eye', 'spend', 'end', 'close', 'quiet', 'wiggum', 'song', 'sigh', 'crazy', 'm', 'works', 'the_rich_texan:', 'worried', "gettin'", 'moan', 'throat', 'stay', 'straight', 'heart', "it'll", 'whole', 'machine', 'worse', 'mmmm', 'whatever', 'snake_jailbird:', 'dump', ':', 'war', 'keys', 'lady', 'hot', 'talking', 'stand', 'learn', 'outside', 'ugly', 'hours', 'disgusted', 'watching', 'self', 'least', 'bottle', 'larry:', '